Fix authentication state persistence and admin role display

- Implement complete authentication system with JWT token validation
- Add auth provider with persistent login state across page refreshes
- Create multilingual login/register forms with Material-UI components
- Fix token validation using raw SQL queries to bypass Prisma sync issues
- Add comprehensive error handling for expired/invalid tokens
- Create profile and settings pages with full i18n support
- Add proper user role management (admin/user) with database sync
- Implement secure middleware with CSRF protection and auth checks
- Add debug endpoints for troubleshooting authentication issues
- Fix Zustand store persistence for authentication state

🤖 Generated with [Claude Code](https://claude.ai/code)

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
andupetcu
2025-09-21 01:06:30 +03:00
parent 62ca73b2ac
commit 196ca00194
174 changed files with 181207 additions and 179 deletions

View File

@@ -0,0 +1,133 @@
'use client'
import { useState } from 'react'
import { useRouter } from 'next/navigation'
import { useTranslations, useLocale } from 'next-intl'
import {
Container,
Paper,
Box,
Typography,
Tabs,
Tab,
Link,
Card,
CardContent,
Divider
} from '@mui/material'
import {
MenuBook,
Login as LoginIcon,
PersonAdd
} from '@mui/icons-material'
import { LoginForm } from '@/components/auth/login-form'
import { RegisterForm } from '@/components/auth/register-form'
export default function AuthPage() {
const [activeTab, setActiveTab] = useState(0)
const router = useRouter()
const locale = useLocale()
const t = useTranslations('auth')
const handleAuthSuccess = () => {
router.push(`/${locale}`)
}
const handleTabChange = (event: React.SyntheticEvent, newValue: number) => {
setActiveTab(newValue)
}
const getSubtitle = () => {
if (locale === 'en') {
return activeTab === 0
? 'Sign in to continue exploring Scripture'
: 'Create an account to begin your spiritual journey'
}
return activeTab === 0
? 'Conectează-te pentru a continua explorarea Scripturii'
: 'Creează un cont pentru a începe călătoria ta spirituală'
}
return (
<Container maxWidth="sm" sx={{ py: 4, minHeight: '100vh', display: 'flex', alignItems: 'center' }}>
<Card elevation={8} sx={{ width: '100%', borderRadius: 3 }}>
<CardContent sx={{ p: 4 }}>
{/* Header */}
<Box textAlign="center" mb={4}>
<Box display="flex" justifyContent="center" mb={2}>
<MenuBook sx={{ fontSize: 48, color: 'primary.main' }} />
</Box>
<Typography variant="h4" component="h1" gutterBottom fontWeight="bold">
{activeTab === 0 ? t('welcomeBack') : t('joinUs')}
</Typography>
<Typography variant="body1" color="text.secondary">
{getSubtitle()}
</Typography>
</Box>
<Divider sx={{ mb: 3 }} />
{/* Tabs */}
<Tabs
value={activeTab}
onChange={handleTabChange}
centered
sx={{
mb: 3,
'& .MuiTab-root': {
minWidth: 120,
fontWeight: 600
}
}}
TabIndicatorProps={{
style: { height: 3, borderRadius: 3 }
}}
>
<Tab
icon={<LoginIcon />}
iconPosition="start"
label={t('login')}
/>
<Tab
icon={<PersonAdd />}
iconPosition="start"
label={t('register')}
/>
</Tabs>
{/* Forms */}
<Box sx={{ minHeight: 300 }}>
{activeTab === 0 ? (
<LoginForm onSuccess={handleAuthSuccess} />
) : (
<RegisterForm onSuccess={handleAuthSuccess} />
)}
</Box>
<Divider sx={{ my: 3 }} />
{/* Switch Form Link */}
<Box textAlign="center">
<Typography variant="body2" color="text.secondary">
{activeTab === 0 ? t('noAccount') : t('alreadyHaveAccount')}{' '}
<Link
component="button"
variant="body2"
onClick={() => setActiveTab(activeTab === 0 ? 1 : 0)}
sx={{
textDecoration: 'none',
fontWeight: 600,
'&:hover': {
textDecoration: 'underline'
}
}}
>
{activeTab === 0 ? t('createAccount') : t('login')}
</Link>
</Typography>
</Box>
</CardContent>
</Card>
</Container>
)
}

View File

@@ -4,6 +4,7 @@ import { NextIntlClientProvider } from 'next-intl'
import { getMessages } from 'next-intl/server'
import { notFound } from 'next/navigation'
import { MuiThemeProvider } from '@/components/providers/theme-provider'
import { AuthProvider } from '@/components/auth/auth-provider'
import { Navigation } from '@/components/layout/navigation'
import FloatingChat from '@/components/chat/floating-chat'
import { merriweather, lato } from '@/lib/fonts'
@@ -45,9 +46,11 @@ export default async function LocaleLayout({
<body className={`${merriweather.variable} ${lato.variable}`}>
<NextIntlClientProvider messages={messages} locale={locale}>
<MuiThemeProvider>
<Navigation />
{children}
<FloatingChat />
<AuthProvider>
<Navigation />
{children}
<FloatingChat />
</AuthProvider>
</MuiThemeProvider>
</NextIntlClientProvider>
</body>

View File

@@ -0,0 +1,32 @@
'use client'
import { useEffect } from 'react'
import { useRouter } from 'next/navigation'
import { useLocale } from 'next-intl'
import { Box, CircularProgress, Typography } from '@mui/material'
export default function LoginRedirectPage() {
const router = useRouter()
const locale = useLocale()
useEffect(() => {
// Redirect to the actual login page
router.replace(`/${locale}/auth/login`)
}, [router, locale])
return (
<Box
display="flex"
flexDirection="column"
alignItems="center"
justifyContent="center"
minHeight="100vh"
gap={2}
>
<CircularProgress />
<Typography variant="body2" color="text.secondary">
Redirecting to login...
</Typography>
</Box>
)
}

View File

@@ -0,0 +1,220 @@
'use client'
import { useState } from 'react'
import { useTranslations } from 'next-intl'
import { useAuth } from '@/hooks/use-auth'
import { ProtectedRoute } from '@/components/auth/protected-route'
import {
Container,
Paper,
Box,
Typography,
TextField,
Button,
Avatar,
Grid,
Card,
CardContent,
Divider,
Alert,
CircularProgress
} from '@mui/material'
import {
Person,
Email,
AdminPanelSettings,
Save,
Edit
} from '@mui/icons-material'
export default function ProfilePage() {
const { user } = useAuth()
const t = useTranslations('profile')
const [isEditing, setIsEditing] = useState(false)
const [name, setName] = useState(user?.name || '')
const [loading, setLoading] = useState(false)
const [message, setMessage] = useState('')
const handleSave = async () => {
setLoading(true)
setMessage('')
try {
// TODO: Implement profile update API
await new Promise(resolve => setTimeout(resolve, 1000)) // Placeholder
setMessage(t('profileUpdated'))
setIsEditing(false)
} catch (error) {
setMessage(t('updateError'))
} finally {
setLoading(false)
}
}
const handleCancel = () => {
setName(user?.name || '')
setIsEditing(false)
}
const getRoleTranslation = (role: string) => {
switch (role) {
case 'admin':
return t('admin')
case 'moderator':
return t('moderator')
default:
return t('user')
}
}
return (
<ProtectedRoute>
<Container maxWidth="md" sx={{ py: 4 }}>
<Paper elevation={3} sx={{ p: 4 }}>
{/* Header */}
<Box textAlign="center" mb={4}>
<Avatar
sx={{
width: 100,
height: 100,
fontSize: 40,
mx: 'auto',
mb: 2,
bgcolor: 'primary.main'
}}
>
{user?.name ? user.name.charAt(0).toUpperCase() : <Person />}
</Avatar>
<Typography variant="h4" component="h1" gutterBottom>
{t('title')}
</Typography>
<Typography variant="body1" color="text.secondary">
{t('subtitle')}
</Typography>
</Box>
<Divider sx={{ mb: 4 }} />
{/* Profile Information */}
<Grid container spacing={3}>
{/* Personal Information Card */}
<Grid item xs={12} md={8}>
<Card variant="outlined">
<CardContent>
<Box display="flex" justifyContent="space-between" alignItems="center" mb={3}>
<Typography variant="h6" component="h2">
{t('personalInfo')}
</Typography>
{!isEditing && (
<Button
startIcon={<Edit />}
onClick={() => setIsEditing(true)}
variant="outlined"
size="small"
>
{t('edit')}
</Button>
)}
</Box>
<Box sx={{ mb: 3 }}>
<TextField
fullWidth
label={t('name')}
value={name}
onChange={(e) => setName(e.target.value)}
disabled={!isEditing || loading}
variant="outlined"
margin="normal"
InputProps={{
startAdornment: <Person sx={{ mr: 1, color: 'action.active' }} />
}}
/>
</Box>
<Box sx={{ mb: 3 }}>
<TextField
fullWidth
label={t('email')}
value={user?.email || ''}
disabled
variant="outlined"
margin="normal"
InputProps={{
startAdornment: <Email sx={{ mr: 1, color: 'action.active' }} />
}}
helperText={t('emailCannotChange')}
/>
</Box>
{isEditing && (
<Box display="flex" gap={2} mt={3}>
<Button
variant="contained"
startIcon={loading ? <CircularProgress size={20} /> : <Save />}
onClick={handleSave}
disabled={loading}
>
{loading ? t('saving') : t('save')}
</Button>
<Button
variant="outlined"
onClick={handleCancel}
disabled={loading}
>
{t('cancel')}
</Button>
</Box>
)}
</CardContent>
</Card>
</Grid>
{/* Account Details Card */}
<Grid item xs={12} md={4}>
<Card variant="outlined">
<CardContent>
<Typography variant="h6" component="h2" gutterBottom>
{t('accountDetails')}
</Typography>
<Box display="flex" alignItems="center" mb={2}>
<AdminPanelSettings sx={{ mr: 1, color: 'action.active' }} />
<Box>
<Typography variant="body2" color="text.secondary">
{t('role')}
</Typography>
<Typography variant="body1">
{getRoleTranslation(user?.role || 'user')}
</Typography>
</Box>
</Box>
<Box>
<Typography variant="body2" color="text.secondary">
{t('memberSince')}
</Typography>
<Typography variant="body1">
{new Date().toLocaleDateString()} {/* TODO: Use actual creation date */}
</Typography>
</Box>
</CardContent>
</Card>
</Grid>
</Grid>
{/* Success/Error Message */}
{message && (
<Alert
severity={message.includes(t('updateError')) ? 'error' : 'success'}
sx={{ mt: 3 }}
onClose={() => setMessage('')}
>
{message}
</Alert>
)}
</Paper>
</Container>
</ProtectedRoute>
)
}

View File

@@ -0,0 +1,230 @@
'use client'
import { useState } from 'react'
import { useTranslations, useLocale } from 'next-intl'
import { useAuth } from '@/hooks/use-auth'
import { ProtectedRoute } from '@/components/auth/protected-route'
import {
Container,
Paper,
Box,
Typography,
Switch,
FormControlLabel,
Select,
MenuItem,
FormControl,
InputLabel,
Grid,
Card,
CardContent,
Divider,
Alert,
Button
} from '@mui/material'
import {
Settings as SettingsIcon,
Palette,
TextFields,
Language,
Notifications,
Security,
Save
} from '@mui/icons-material'
export default function SettingsPage() {
const { user } = useAuth()
const locale = useLocale()
const t = useTranslations('settings')
const [settings, setSettings] = useState({
theme: user?.theme || 'light',
fontSize: user?.fontSize || 'medium',
notifications: true,
emailUpdates: false,
language: locale
})
const [message, setMessage] = useState('')
const handleSettingChange = (setting: string, value: any) => {
setSettings(prev => ({
...prev,
[setting]: value
}))
}
const handleSave = async () => {
try {
// TODO: Implement settings update API
await new Promise(resolve => setTimeout(resolve, 1000)) // Placeholder
setMessage(t('settingsSaved'))
} catch (error) {
setMessage(t('settingsError'))
}
}
return (
<ProtectedRoute>
<Container maxWidth="md" sx={{ py: 4 }}>
<Paper elevation={3} sx={{ p: 4 }}>
{/* Header */}
<Box textAlign="center" mb={4}>
<SettingsIcon sx={{ fontSize: 48, color: 'primary.main', mb: 2 }} />
<Typography variant="h4" component="h1" gutterBottom>
{t('title')}
</Typography>
<Typography variant="body1" color="text.secondary">
{t('subtitle')}
</Typography>
</Box>
<Divider sx={{ mb: 4 }} />
<Grid container spacing={3}>
{/* Appearance Settings */}
<Grid item xs={12} md={6}>
<Card variant="outlined">
<CardContent>
<Box display="flex" alignItems="center" mb={3}>
<Palette sx={{ mr: 1, color: 'primary.main' }} />
<Typography variant="h6">
{t('appearance')}
</Typography>
</Box>
<Box sx={{ mb: 3 }}>
<FormControl fullWidth>
<InputLabel>{t('theme')}</InputLabel>
<Select
value={settings.theme}
label={t('theme')}
onChange={(e) => handleSettingChange('theme', e.target.value)}
>
<MenuItem value="light">{t('themes.light')}</MenuItem>
<MenuItem value="dark">{t('themes.dark')}</MenuItem>
<MenuItem value="auto">{t('themes.auto')}</MenuItem>
</Select>
</FormControl>
</Box>
<Box sx={{ mb: 3 }}>
<FormControl fullWidth>
<InputLabel>{t('fontSize')}</InputLabel>
<Select
value={settings.fontSize}
label={t('fontSize')}
onChange={(e) => handleSettingChange('fontSize', e.target.value)}
startAdornment={<TextFields sx={{ mr: 1 }} />}
>
<MenuItem value="small">{t('fontSizes.small')}</MenuItem>
<MenuItem value="medium">{t('fontSizes.medium')}</MenuItem>
<MenuItem value="large">{t('fontSizes.large')}</MenuItem>
</Select>
</FormControl>
</Box>
</CardContent>
</Card>
</Grid>
{/* Language & Notifications */}
<Grid item xs={12} md={6}>
<Card variant="outlined">
<CardContent>
<Box display="flex" alignItems="center" mb={3}>
<Language sx={{ mr: 1, color: 'primary.main' }} />
<Typography variant="h6">
{t('languageAndNotifications')}
</Typography>
</Box>
<Box sx={{ mb: 3 }}>
<FormControl fullWidth>
<InputLabel>{t('language')}</InputLabel>
<Select
value={settings.language}
label={t('language')}
onChange={(e) => handleSettingChange('language', e.target.value)}
>
<MenuItem value="ro">{t('languages.ro')}</MenuItem>
<MenuItem value="en">{t('languages.en')}</MenuItem>
</Select>
</FormControl>
</Box>
<Box sx={{ mb: 2 }}>
<FormControlLabel
control={
<Switch
checked={settings.notifications}
onChange={(e) => handleSettingChange('notifications', e.target.checked)}
/>
}
label={t('notifications')}
/>
</Box>
<Box sx={{ mb: 2 }}>
<FormControlLabel
control={
<Switch
checked={settings.emailUpdates}
onChange={(e) => handleSettingChange('emailUpdates', e.target.checked)}
/>
}
label={t('emailUpdates')}
/>
</Box>
</CardContent>
</Card>
</Grid>
{/* Security Settings */}
<Grid item xs={12}>
<Card variant="outlined">
<CardContent>
<Box display="flex" alignItems="center" mb={3}>
<Security sx={{ mr: 1, color: 'primary.main' }} />
<Typography variant="h6">
{t('security')}
</Typography>
</Box>
<Typography variant="body2" color="text.secondary" sx={{ mb: 2 }}>
{t('passwordSecurity')}
</Typography>
<Button variant="outlined" disabled>
{t('changePasswordSoon')}
</Button>
</CardContent>
</Card>
</Grid>
</Grid>
{/* Save Button */}
<Box textAlign="center" mt={4}>
<Button
variant="contained"
size="large"
startIcon={<Save />}
onClick={handleSave}
sx={{ px: 4 }}
>
{t('saveSettings')}
</Button>
</Box>
{/* Success/Error Message */}
{message && (
<Alert
severity={message.includes(t('settingsError')) ? 'error' : 'success'}
sx={{ mt: 3 }}
onClose={() => setMessage('')}
>
{message}
</Alert>
)}
</Paper>
</Container>
</ProtectedRoute>
)
}

View File

@@ -1,22 +1,50 @@
import { NextResponse } from 'next/server'
import { validateUser, generateToken } from '@/lib/auth'
import { prisma } from '@/lib/db'
import { createUserLoginSchema } from '@/lib/validation'
export const runtime = 'nodejs'
function getErrorMessages(locale: string = 'ro') {
const messages = {
ro: {
fieldsRequired: 'Email și parola sunt obligatorii',
invalidCredentials: 'Email sau parolă incorectă',
serverError: 'Eroare de server',
invalidInput: 'Date de intrare invalide'
},
en: {
fieldsRequired: 'Email and password are required',
invalidCredentials: 'Invalid email or password',
serverError: 'Server error',
invalidInput: 'Invalid input data'
}
}
return messages[locale as keyof typeof messages] || messages.ro
}
export async function POST(request: Request) {
try {
const { email, password } = await request.json()
const url = new URL(request.url)
const locale = url.searchParams.get('locale') || 'ro'
const messages = getErrorMessages(locale)
const body = await request.json()
const { email, password } = body
// Validation
if (!email || !password) {
return NextResponse.json({ error: 'Email și parola sunt obligatorii' }, { status: 400 })
const loginSchema = createUserLoginSchema(locale)
const result = loginSchema.safeParse({ email, password })
if (!result.success) {
const errors = result.error.errors.map(err => err.message).join(', ')
return NextResponse.json({ error: errors }, { status: 400 })
}
// Validate user
const user = await validateUser(email, password)
if (!user) {
return NextResponse.json({ error: 'Email sau parolă incorectă' }, { status: 401 })
return NextResponse.json({ error: messages.invalidCredentials }, { status: 401 })
}
// Generate token
@@ -38,11 +66,14 @@ export async function POST(request: Request) {
})
return NextResponse.json({
user: { id: user.id, email: user.email, name: user.name },
user: { id: user.id, email: user.email, name: user.name, role: user.role, theme: user.theme, fontSize: user.fontSize },
token
})
} catch (error) {
console.error('Login error:', error)
return NextResponse.json({ error: 'Eroare de server' }, { status: 500 })
const url = new URL(request.url)
const locale = url.searchParams.get('locale') || 'ro'
const messages = getErrorMessages(locale)
return NextResponse.json({ error: messages.serverError }, { status: 500 })
}
}

View File

@@ -0,0 +1,23 @@
import { NextResponse } from 'next/server'
import { prisma } from '@/lib/db'
export const runtime = 'nodejs'
export async function POST(request: Request) {
try {
const authHeader = request.headers.get('authorization')
const token = authHeader?.replace('Bearer ', '')
if (token) {
// Remove the session from database
await prisma.session.deleteMany({
where: { token }
})
}
return NextResponse.json({ success: true })
} catch (error) {
console.error('Logout error:', error)
return NextResponse.json({ error: 'Eroare de server' }, { status: 500 })
}
}

View File

@@ -3,23 +3,46 @@ import { getUserFromToken } from '@/lib/auth'
export const runtime = 'nodejs'
function getErrorMessages(locale: string = 'ro') {
const messages = {
ro: {
tokenRequired: 'Token de autentificare necesar',
invalidToken: 'Token invalid',
serverError: 'Eroare de server'
},
en: {
tokenRequired: 'Authentication token required',
invalidToken: 'Invalid token',
serverError: 'Server error'
}
}
return messages[locale as keyof typeof messages] || messages.ro
}
export async function GET(request: Request) {
try {
const url = new URL(request.url)
const locale = url.searchParams.get('locale') || 'ro'
const messages = getErrorMessages(locale)
const authHeader = request.headers.get('authorization')
const token = authHeader?.replace('Bearer ', '')
if (!token) {
return NextResponse.json({ error: 'Token de autentificare necesar' }, { status: 401 })
return NextResponse.json({ error: messages.tokenRequired }, { status: 401 })
}
const user = await getUserFromToken(token)
if (!user) {
return NextResponse.json({ error: 'Token invalid' }, { status: 401 })
return NextResponse.json({ error: messages.invalidToken }, { status: 401 })
}
return NextResponse.json({ user })
} catch (error) {
console.error('User validation error:', error)
return NextResponse.json({ error: 'Eroare de server' }, { status: 500 })
const url = new URL(request.url)
const locale = url.searchParams.get('locale') || 'ro'
const messages = getErrorMessages(locale)
return NextResponse.json({ error: messages.serverError }, { status: 500 })
}
}

View File

@@ -1,17 +1,38 @@
import { NextResponse } from 'next/server'
import { createUser, generateToken } from '@/lib/auth'
import { prisma } from '@/lib/db'
import { userRegistrationSchema } from '@/lib/validation'
import { createUserRegistrationSchema } from '@/lib/validation'
import { z } from 'zod'
export const runtime = 'nodejs'
function getErrorMessages(locale: string = 'ro') {
const messages = {
ro: {
userExists: 'Utilizatorul există deja',
serverError: 'Eroare de server',
invalidInput: 'Date de intrare invalide'
},
en: {
userExists: 'User already exists',
serverError: 'Server error',
invalidInput: 'Invalid input data'
}
}
return messages[locale as keyof typeof messages] || messages.ro
}
export async function POST(request: Request) {
try {
const url = new URL(request.url)
const locale = url.searchParams.get('locale') || 'ro'
const messages = getErrorMessages(locale)
const body = await request.json()
// Validate input
const result = userRegistrationSchema.safeParse(body)
const registrationSchema = createUserRegistrationSchema(locale)
const result = registrationSchema.safeParse(body)
if (!result.success) {
const errors = result.error.errors.map(err => err.message).join(', ')
return NextResponse.json({ error: errors }, { status: 400 })
@@ -22,7 +43,7 @@ export async function POST(request: Request) {
// Check if user exists
const existing = await prisma.user.findUnique({ where: { email } })
if (existing) {
return NextResponse.json({ error: 'Utilizatorul există deja' }, { status: 409 })
return NextResponse.json({ error: messages.userExists }, { status: 409 })
}
// Create user
@@ -39,14 +60,18 @@ export async function POST(request: Request) {
})
return NextResponse.json({
user: { id: user.id, email: user.email, name: user.name },
user: { id: user.id, email: user.email, name: user.name, role: user.role, theme: user.theme, fontSize: user.fontSize },
token
})
} catch (error) {
console.error('Registration error:', error)
const url = new URL(request.url)
const locale = url.searchParams.get('locale') || 'ro'
const messages = getErrorMessages(locale)
if (error instanceof z.ZodError) {
return NextResponse.json({ error: 'Date de intrare invalide' }, { status: 400 })
return NextResponse.json({ error: messages.invalidInput }, { status: 400 })
}
return NextResponse.json({ error: 'Eroare de server' }, { status: 500 })
return NextResponse.json({ error: messages.serverError }, { status: 500 })
}
}

View File

@@ -0,0 +1,35 @@
import { NextResponse } from 'next/server'
import { prisma } from '@/lib/db'
export const runtime = 'nodejs'
export async function GET() {
try {
// Get table structure for User table
const tableInfo = await prisma.$queryRaw`
SELECT column_name, data_type, is_nullable, column_default
FROM information_schema.columns
WHERE table_name = 'User' AND table_schema = 'public'
ORDER BY ordinal_position;
`
// Also try to get one user record to see what fields are actually there
let sampleUser = null
try {
sampleUser = await prisma.$queryRaw`SELECT * FROM "User" LIMIT 1;`
} catch (e) {
sampleUser = { error: 'Could not fetch sample user: ' + e.message }
}
return NextResponse.json({
tableStructure: tableInfo,
sampleUser: sampleUser
})
} catch (error) {
console.error('Schema debug error:', error)
return NextResponse.json({
error: 'Schema debug failed',
details: error.message
}, { status: 500 })
}
}

View File

@@ -0,0 +1,53 @@
import { NextResponse } from 'next/server'
import jwt from 'jsonwebtoken'
export const runtime = 'nodejs'
export async function POST(request: Request) {
try {
const { token } = await request.json()
if (!token) {
return NextResponse.json({ error: 'Token required' }, { status: 400 })
}
// Log environment info
const hasSecret = !!process.env.JWT_SECRET
const secretPreview = process.env.JWT_SECRET ? process.env.JWT_SECRET.substring(0, 10) + '...' : 'MISSING'
console.log('Debug: JWT_SECRET exists:', hasSecret)
console.log('Debug: JWT_SECRET preview:', secretPreview)
// Try to decode without verification first
let decodedWithoutVerification
try {
decodedWithoutVerification = jwt.decode(token, { complete: true })
console.log('Debug: Token decoded without verification:', !!decodedWithoutVerification)
} catch (e) {
console.log('Debug: Token decode failed:', e.message)
}
// Try to verify
let verificationResult
try {
verificationResult = jwt.verify(token, process.env.JWT_SECRET!)
console.log('Debug: Token verification successful')
} catch (e) {
console.log('Debug: Token verification failed:', e.message)
verificationResult = { error: e.message }
}
return NextResponse.json({
hasSecret,
secretPreview,
decodedWithoutVerification: !!decodedWithoutVerification,
payload: decodedWithoutVerification?.payload,
verificationResult: typeof verificationResult === 'object' && 'error' in verificationResult
? verificationResult
: { success: true, payload: verificationResult }
})
} catch (error) {
console.error('Debug endpoint error:', error)
return NextResponse.json({ error: 'Debug failed' }, { status: 500 })
}
}

View File

@@ -0,0 +1,43 @@
import { NextResponse } from 'next/server'
import { prisma } from '@/lib/db'
export const runtime = 'nodejs'
export async function POST(request: Request) {
try {
const { userId } = await request.json()
if (!userId) {
return NextResponse.json({ error: 'userId required' }, { status: 400 })
}
// Use raw query to avoid Prisma client sync issues
const users = await prisma.$queryRaw`
SELECT id, email, name, role, theme, "fontSize", "createdAt", "updatedAt", "lastLoginAt"
FROM "User"
WHERE id = ${userId}
`
const user = Array.isArray(users) && users.length > 0 ? users[0] : null
// Also get a count of all users
const userCount = await prisma.user.count()
// Get all user IDs for comparison
const allUsers = await prisma.user.findMany({
select: { id: true, email: true, createdAt: true },
orderBy: { createdAt: 'desc' },
take: 5
})
return NextResponse.json({
searchedUserId: userId,
userExists: !!user,
user: user || null,
totalUsers: userCount,
recentUsers: allUsers
})
} catch (error) {
console.error('User debug error:', error)
return NextResponse.json({ error: 'Debug failed', details: error.message }, { status: 500 })
}
}

View File

@@ -0,0 +1,316 @@
'use client'
import React, { createContext, useContext, useEffect, useState, ReactNode } from 'react'
import { useLocale } from 'next-intl'
import { useStore } from '@/lib/store'
import { isTokenExpired, clearExpiredToken } from '@/lib/auth/client'
interface User {
id: string
email: string
name?: string
role: string
theme: string
fontSize: string
createdAt: Date
updatedAt: Date
lastLoginAt?: Date
}
interface AuthContextType {
user: User | null
isAuthenticated: boolean
isLoading: boolean
login: (email: string, password: string) => Promise<{ success: boolean; error?: string }>
register: (email: string, password: string, name?: string) => Promise<{ success: boolean; error?: string }>
logout: () => Promise<void>
refreshUser: () => Promise<void>
}
const AuthContext = createContext<AuthContextType | undefined>(undefined)
interface AuthProviderProps {
children: ReactNode
}
export function AuthProvider({ children }: AuthProviderProps) {
const [isLoading, setIsLoading] = useState(true)
const [initialized, setInitialized] = useState(false)
const locale = useLocale()
const { user, setUser } = useStore()
const refreshUser = async (forceRefresh = false) => {
const token = localStorage.getItem('authToken')
if (!token) {
setUser(null)
setIsLoading(false)
return
}
// Check if token is expired before making request
if (isTokenExpired(token)) {
console.log('Token expired in refreshUser, clearing auth state')
localStorage.removeItem('authToken')
setUser(null)
setIsLoading(false)
return
}
// If we already have a user and this isn't a forced refresh, don't re-fetch
if (user && !forceRefresh) {
setIsLoading(false)
return
}
try {
const response = await fetch(`/api/auth/me?locale=${locale}`, {
headers: {
'Authorization': `Bearer ${token}`
}
})
if (response.ok) {
const data = await response.json()
setUser(data.user)
} else {
// Token is invalid or expired, get error details
try {
const errorData = await response.json()
console.log('Server returned 401 error:', errorData)
} catch (e) {
console.log('Server returned 401 without JSON body, status:', response.status)
}
console.log('Token expired or invalid, clearing auth state')
localStorage.removeItem('authToken')
setUser(null)
}
} catch (error) {
console.error('Auth check failed:', error)
// Network error or other issues, clean up auth state
localStorage.removeItem('authToken')
setUser(null)
} finally {
setIsLoading(false)
}
}
// Debug database schema
const debugSchema = async () => {
try {
const response = await fetch('/api/debug/schema')
const debug = await response.json()
console.log('Database schema info:', debug)
} catch (e) {
console.log('Schema debug failed:', e)
}
}
// Debug user lookup
const debugUser = async (userId: string) => {
try {
const response = await fetch('/api/debug/user', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({ userId })
})
const debug = await response.json()
console.log('User debug info:', debug)
} catch (e) {
console.log('User debug failed:', e)
}
}
// Debug token validation
const debugToken = async (token: string) => {
try {
const response = await fetch('/api/debug/token', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({ token })
})
const debug = await response.json()
console.log('Token debug info:', debug)
// Log more details about the token payload
if (debug.payload) {
console.log('Token payload:', debug.payload)
// Debug user lookup
if (debug.payload.userId) {
debugUser(debug.payload.userId)
}
}
if (debug.verificationResult) {
console.log('Verification result:', debug.verificationResult)
}
} catch (e) {
console.log('Token debug failed:', e)
}
}
// Clear expired tokens and sync state immediately on mount
useEffect(() => {
if (typeof window !== 'undefined') {
const token = localStorage.getItem('authToken')
console.log('Auth mount check - token exists:', !!token)
if (token) {
console.log('Token preview:', token.substring(0, 50) + '...')
// Debug the database schema and token on server side
debugSchema()
debugToken(token)
const expired = isTokenExpired(token)
console.log('Token expired:', expired)
if (expired) {
console.log('Clearing expired token and user state on mount')
localStorage.removeItem('authToken')
setUser(null)
}
} else if (user) {
console.log('No token but user exists in store, clearing user state')
setUser(null)
}
clearExpiredToken()
}
}, [])
// Initialize auth state only once on mount
useEffect(() => {
if (!initialized && typeof window !== 'undefined') {
const token = localStorage.getItem('authToken')
console.log('Initialization flow - token exists:', !!token)
if (token) {
// Check if token is expired before making request
if (isTokenExpired(token)) {
console.log('Token expired during initialization, clearing auth state')
localStorage.removeItem('authToken')
setUser(null)
setIsLoading(false)
} else {
console.log('Token is valid, calling refreshUser()')
// Token appears valid, try to refresh user data
// refreshUser will handle server-side validation failures
refreshUser()
}
} else {
console.log('No token found, clearing user state')
// No token, clear any stale user data
setUser(null)
setIsLoading(false)
}
setInitialized(true)
}
}, [initialized])
// Handle hydration issues - ensure we stop loading once initialized
useEffect(() => {
if (initialized && isLoading) {
const token = localStorage.getItem('authToken')
if (!token) {
setIsLoading(false)
}
}
}, [initialized, isLoading])
const login = async (email: string, password: string): Promise<{ success: boolean; error?: string }> => {
try {
const response = await fetch(`/api/auth/login?locale=${locale}`, {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({ email, password }),
})
const data = await response.json()
if (response.ok) {
localStorage.setItem('authToken', data.token)
setUser(data.user)
return { success: true }
} else {
return { success: false, error: data.error }
}
} catch (error) {
console.error('Login error:', error)
return {
success: false,
error: locale === 'en' ? 'Login failed' : 'Autentificare eșuată'
}
}
}
const register = async (email: string, password: string, name?: string): Promise<{ success: boolean; error?: string }> => {
try {
const response = await fetch(`/api/auth/register?locale=${locale}`, {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({ email, password, name }),
})
const data = await response.json()
if (response.ok) {
localStorage.setItem('authToken', data.token)
setUser(data.user)
return { success: true }
} else {
return { success: false, error: data.error }
}
} catch (error) {
console.error('Registration error:', error)
return {
success: false,
error: locale === 'en' ? 'Registration failed' : 'Înregistrare eșuată'
}
}
}
const logout = async () => {
try {
const token = localStorage.getItem('authToken')
if (token) {
await fetch('/api/auth/logout', {
method: 'POST',
headers: {
'Authorization': `Bearer ${token}`
}
})
}
} catch (error) {
console.error('Logout error:', error)
} finally {
localStorage.removeItem('authToken')
setUser(null)
}
}
const value: AuthContextType = {
user,
isAuthenticated: !!user,
isLoading,
login,
register,
logout,
refreshUser: () => refreshUser(true)
}
return (
<AuthContext.Provider value={value}>
{children}
</AuthContext.Provider>
)
}
export function useAuth(): AuthContextType {
const context = useContext(AuthContext)
if (context === undefined) {
throw new Error('useAuth must be used within an AuthProvider')
}
return context
}

View File

@@ -1,7 +1,23 @@
'use client'
import { useState } from 'react'
import { useStore } from '@/lib/store'
import { useTranslations } from 'next-intl'
import { useAuth } from './auth-provider'
import {
Box,
TextField,
Button,
Alert,
CircularProgress,
InputAdornment,
IconButton
} from '@mui/material'
import {
Email,
Lock,
Visibility,
VisibilityOff
} from '@mui/icons-material'
interface LoginFormProps {
onSuccess?: () => void
@@ -12,7 +28,9 @@ export function LoginForm({ onSuccess }: LoginFormProps) {
const [password, setPassword] = useState('')
const [loading, setLoading] = useState(false)
const [error, setError] = useState('')
const { setUser } = useStore()
const [showPassword, setShowPassword] = useState(false)
const { login } = useAuth()
const t = useTranslations('auth')
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault()
@@ -20,74 +38,94 @@ export function LoginForm({ onSuccess }: LoginFormProps) {
setError('')
try {
const response = await fetch('/api/auth/login', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({ email, password })
})
const result = await login(email, password)
const data = await response.json()
if (!response.ok) {
setError(data.error || 'Eroare la autentificare')
return
}
// Store user and token
setUser(data.user)
localStorage.setItem('authToken', data.token)
if (onSuccess) {
onSuccess()
if (result.success) {
if (onSuccess) {
onSuccess()
}
} else {
setError(result.error || t('loginError'))
}
} catch (error) {
setError('Eroare de conexiune')
setError(t('connectionError'))
} finally {
setLoading(false)
}
}
return (
<form onSubmit={handleSubmit} className="space-y-4">
<div>
<label htmlFor="email" className="block text-sm font-medium text-gray-700">
Email
</label>
<input
type="email"
id="email"
value={email}
onChange={(e) => setEmail(e.target.value)}
className="mt-1 block w-full px-3 py-2 border border-gray-300 rounded-md shadow-sm focus:outline-none focus:ring-blue-500 focus:border-blue-500"
required
/>
</div>
const handleClickShowPassword = () => {
setShowPassword(!showPassword)
}
<div>
<label htmlFor="password" className="block text-sm font-medium text-gray-700">
Parolă
</label>
<input
type="password"
id="password"
value={password}
onChange={(e) => setPassword(e.target.value)}
className="mt-1 block w-full px-3 py-2 border border-gray-300 rounded-md shadow-sm focus:outline-none focus:ring-blue-500 focus:border-blue-500"
required
/>
</div>
return (
<Box component="form" onSubmit={handleSubmit} sx={{ width: '100%' }}>
<TextField
fullWidth
type="email"
label={t('email')}
value={email}
onChange={(e) => setEmail(e.target.value)}
required
margin="normal"
variant="outlined"
disabled={loading}
InputProps={{
startAdornment: (
<InputAdornment position="start">
<Email color="action" />
</InputAdornment>
),
}}
/>
<TextField
fullWidth
type={showPassword ? 'text' : 'password'}
label={t('password')}
value={password}
onChange={(e) => setPassword(e.target.value)}
required
margin="normal"
variant="outlined"
disabled={loading}
InputProps={{
startAdornment: (
<InputAdornment position="start">
<Lock color="action" />
</InputAdornment>
),
endAdornment: (
<InputAdornment position="end">
<IconButton
aria-label="toggle password visibility"
onClick={handleClickShowPassword}
edge="end"
disabled={loading}
>
{showPassword ? <VisibilityOff /> : <Visibility />}
</IconButton>
</InputAdornment>
),
}}
/>
{error && (
<div className="text-red-600 text-sm">{error}</div>
<Alert severity="error" sx={{ mt: 2 }}>
{error}
</Alert>
)}
<button
<Button
type="submit"
fullWidth
variant="contained"
disabled={loading}
className="w-full flex justify-center py-2 px-4 border border-transparent rounded-md shadow-sm text-sm font-medium text-white bg-blue-600 hover:bg-blue-700 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500 disabled:opacity-50"
sx={{ mt: 3, mb: 2, py: 1.5 }}
startIcon={loading ? <CircularProgress size={20} color="inherit" /> : undefined}
>
{loading ? 'Se autentifică...' : 'Autentificare'}
</button>
</form>
{loading ? t('logging_in') : t('login')}
</Button>
</Box>
)
}

View File

@@ -0,0 +1,48 @@
'use client'
import { ReactNode, useEffect } from 'react'
import { useRouter } from 'next/navigation'
import { useLocale } from 'next-intl'
import { useAuth } from './auth-provider'
import { Box, CircularProgress, Typography } from '@mui/material'
interface ProtectedRouteProps {
children: ReactNode
fallback?: ReactNode
}
export function ProtectedRoute({ children, fallback }: ProtectedRouteProps) {
const { isAuthenticated, isLoading } = useAuth()
const router = useRouter()
const locale = useLocale()
useEffect(() => {
if (!isLoading && !isAuthenticated) {
router.push(`/${locale}/login`)
}
}, [isAuthenticated, isLoading, router, locale])
if (isLoading) {
return fallback || (
<Box
display="flex"
flexDirection="column"
alignItems="center"
justifyContent="center"
minHeight="60vh"
gap={2}
>
<CircularProgress />
<Typography variant="body2" color="text.secondary">
Loading...
</Typography>
</Box>
)
}
if (!isAuthenticated) {
return null
}
return <>{children}</>
}

View File

@@ -0,0 +1,200 @@
'use client'
import { useState } from 'react'
import { useTranslations } from 'next-intl'
import { useAuth } from './auth-provider'
import {
Box,
TextField,
Button,
Alert,
CircularProgress,
InputAdornment,
IconButton
} from '@mui/material'
import {
Email,
Lock,
Person,
Visibility,
VisibilityOff
} from '@mui/icons-material'
interface RegisterFormProps {
onSuccess?: () => void
}
export function RegisterForm({ onSuccess }: RegisterFormProps) {
const [email, setEmail] = useState('')
const [password, setPassword] = useState('')
const [confirmPassword, setConfirmPassword] = useState('')
const [name, setName] = useState('')
const [loading, setLoading] = useState(false)
const [error, setError] = useState('')
const [showPassword, setShowPassword] = useState(false)
const [showConfirmPassword, setShowConfirmPassword] = useState(false)
const { register } = useAuth()
const t = useTranslations('auth')
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault()
setLoading(true)
setError('')
if (password !== confirmPassword) {
setError(t('passwordMismatch'))
setLoading(false)
return
}
try {
const result = await register(email, password, name || undefined)
if (result.success) {
if (onSuccess) {
onSuccess()
}
} else {
setError(result.error || t('registerError'))
}
} catch (error) {
setError(t('connectionError'))
} finally {
setLoading(false)
}
}
const handleClickShowPassword = () => {
setShowPassword(!showPassword)
}
const handleClickShowConfirmPassword = () => {
setShowConfirmPassword(!showConfirmPassword)
}
return (
<Box component="form" onSubmit={handleSubmit} sx={{ width: '100%' }}>
<TextField
fullWidth
type="text"
label={`${t('name')} ${t('optional')}`}
value={name}
onChange={(e) => setName(e.target.value)}
margin="normal"
variant="outlined"
disabled={loading}
InputProps={{
startAdornment: (
<InputAdornment position="start">
<Person color="action" />
</InputAdornment>
),
}}
/>
<TextField
fullWidth
type="email"
label={t('email')}
value={email}
onChange={(e) => setEmail(e.target.value)}
required
margin="normal"
variant="outlined"
disabled={loading}
InputProps={{
startAdornment: (
<InputAdornment position="start">
<Email color="action" />
</InputAdornment>
),
}}
/>
<TextField
fullWidth
type={showPassword ? 'text' : 'password'}
label={t('password')}
value={password}
onChange={(e) => setPassword(e.target.value)}
required
margin="normal"
variant="outlined"
disabled={loading}
InputProps={{
startAdornment: (
<InputAdornment position="start">
<Lock color="action" />
</InputAdornment>
),
endAdornment: (
<InputAdornment position="end">
<IconButton
aria-label="toggle password visibility"
onClick={handleClickShowPassword}
edge="end"
disabled={loading}
>
{showPassword ? <VisibilityOff /> : <Visibility />}
</IconButton>
</InputAdornment>
),
}}
/>
<TextField
fullWidth
type={showConfirmPassword ? 'text' : 'password'}
label={t('confirmPassword')}
value={confirmPassword}
onChange={(e) => setConfirmPassword(e.target.value)}
required
margin="normal"
variant="outlined"
disabled={loading}
error={confirmPassword !== '' && password !== confirmPassword}
helperText={
confirmPassword !== '' && password !== confirmPassword
? t('passwordMismatch')
: ''
}
InputProps={{
startAdornment: (
<InputAdornment position="start">
<Lock color="action" />
</InputAdornment>
),
endAdornment: (
<InputAdornment position="end">
<IconButton
aria-label="toggle confirm password visibility"
onClick={handleClickShowConfirmPassword}
edge="end"
disabled={loading}
>
{showConfirmPassword ? <VisibilityOff /> : <Visibility />}
</IconButton>
</InputAdornment>
),
}}
/>
{error && (
<Alert severity="error" sx={{ mt: 2 }}>
{error}
</Alert>
)}
<Button
type="submit"
fullWidth
variant="contained"
disabled={loading || (password !== confirmPassword && confirmPassword !== '')}
sx={{ mt: 3, mb: 2, py: 1.5 }}
startIcon={loading ? <CircularProgress size={20} color="inherit" /> : undefined}
>
{loading ? t('registering') : t('register')}
</Button>
</Box>
)
}

View File

@@ -30,10 +30,12 @@ import {
Home,
Settings,
Logout,
Login,
} from '@mui/icons-material'
import { useRouter } from 'next/navigation'
import { useTranslations, useLocale } from 'next-intl'
import { LanguageSwitcher } from './language-switcher'
import { useAuth } from '@/hooks/use-auth'
export function Navigation() {
const [anchorElNav, setAnchorElNav] = useState<null | HTMLElement>(null)
@@ -44,6 +46,7 @@ export function Navigation() {
const isMobile = useMediaQuery(theme.breakpoints.down('md'))
const t = useTranslations('navigation')
const locale = useLocale()
const { user, isAuthenticated, logout } = useAuth()
const pages = [
{ name: t('home'), path: '/', icon: <Home /> },
@@ -53,9 +56,9 @@ export function Navigation() {
]
const settings = [
{ name: t('profile'), icon: <AccountCircle /> },
{ name: t('settings'), icon: <Settings /> },
{ name: t('logout'), icon: <Logout /> },
{ name: t('profile'), icon: <AccountCircle />, action: 'profile' },
{ name: t('settings'), icon: <Settings />, action: 'settings' },
{ name: t('logout'), icon: <Logout />, action: 'logout' },
]
const handleOpenNavMenu = (event: React.MouseEvent<HTMLElement>) => {
@@ -81,6 +84,29 @@ export function Navigation() {
setDrawerOpen(false)
}
const handleUserMenuAction = (action: string) => {
handleCloseUserMenu()
switch (action) {
case 'profile':
router.push(`/${locale}/profile`)
break
case 'settings':
router.push(`/${locale}/settings`)
break
case 'logout':
logout()
router.push(`/${locale}`)
break
default:
break
}
}
const handleLogin = () => {
router.push(`/${locale}/auth/login`)
}
const toggleDrawer = (open: boolean) => {
setDrawerOpen(open)
}
@@ -191,38 +217,56 @@ export function Navigation() {
{/* User Menu */}
<Box sx={{ flexGrow: 0 }}>
<Tooltip title={t('settings')}>
<IconButton onClick={handleOpenUserMenu} sx={{ p: 0 }}>
<Avatar sx={{ bgcolor: 'secondary.main' }}>
<AccountCircle />
</Avatar>
</IconButton>
</Tooltip>
<Menu
sx={{ mt: '45px' }}
id="menu-appbar"
anchorEl={anchorElUser}
anchorOrigin={{
vertical: 'top',
horizontal: 'right',
}}
keepMounted
transformOrigin={{
vertical: 'top',
horizontal: 'right',
}}
open={Boolean(anchorElUser)}
onClose={handleCloseUserMenu}
>
{settings.map((setting) => (
<MenuItem key={setting.name} onClick={handleCloseUserMenu}>
<ListItemIcon>
{setting.icon}
</ListItemIcon>
<Typography textAlign="center">{setting.name}</Typography>
</MenuItem>
))}
</Menu>
{isAuthenticated ? (
<>
<Tooltip title={user?.name || user?.email || t('profile')}>
<IconButton onClick={handleOpenUserMenu} sx={{ p: 0 }}>
<Avatar sx={{ bgcolor: 'secondary.main' }}>
{user?.name ? user.name.charAt(0).toUpperCase() : <AccountCircle />}
</Avatar>
</IconButton>
</Tooltip>
<Menu
sx={{ mt: '45px' }}
id="menu-appbar"
anchorEl={anchorElUser}
anchorOrigin={{
vertical: 'top',
horizontal: 'right',
}}
keepMounted
transformOrigin={{
vertical: 'top',
horizontal: 'right',
}}
open={Boolean(anchorElUser)}
onClose={handleCloseUserMenu}
>
<MenuItem disabled>
<Typography variant="body2" color="text.secondary">
{user?.name || user?.email}
</Typography>
</MenuItem>
{settings.map((setting) => (
<MenuItem key={setting.name} onClick={() => handleUserMenuAction(setting.action)}>
<ListItemIcon>
{setting.icon}
</ListItemIcon>
<Typography textAlign="center">{setting.name}</Typography>
</MenuItem>
))}
</Menu>
</>
) : (
<Button
onClick={handleLogin}
variant="outlined"
startIcon={<Login />}
sx={{ color: 'white', borderColor: 'white', '&:hover': { borderColor: 'white', bgcolor: 'primary.dark' } }}
>
Login
</Button>
)}
</Box>
</Toolbar>
</Container>

View File

@@ -0,0 +1,93 @@
{
"chapterNum": 1,
"verses": [
{
"verseNum": 1,
"text": "These are the names of the sons of Israel who went to Egypt with Jacob, each with his family:"
},
{
"verseNum": 2,
"text": "Reuben, Simeon, Levi, and Judah;"
},
{
"verseNum": 3,
"text": "Issachar, Zebulun, and Benjamin;"
},
{
"verseNum": 4,
"text": "Dan and Naphtali;\n \n Gad and Asher."
},
{
"verseNum": 5,
"text": "The descendants of Jacob numbered seventy in all, including Joseph, who was already in Egypt."
},
{
"verseNum": 6,
"text": "Now Joseph and all his brothers and all that generation died,"
},
{
"verseNum": 7,
"text": "but the Israelites were fruitful and increased rapidly; they multiplied and became exceedingly numerous, so that the land was filled with them."
},
{
"verseNum": 8,
"text": "Then a new king, who did not know Joseph, came to power in Egypt."
},
{
"verseNum": 9,
"text": "“Look,” he said to his people, “the Israelites have become too numerous and too powerful for us."
},
{
"verseNum": 10,
"text": "Come, let us deal shrewdly with them, or they will increase even more; and if a war breaks out, they may join our enemies, fight against us, and leave the country.”"
},
{
"verseNum": 11,
"text": "So the Egyptians appointed taskmasters over the Israelites to oppress them with forced labor. As a result, they built Pithom and Rameses as store cities for Pharaoh."
},
{
"verseNum": 12,
"text": "But the more they were oppressed, the more they multiplied and flourished; so the Egyptians came to dread the Israelites."
},
{
"verseNum": 13,
"text": "They worked the Israelites ruthlessly"
},
{
"verseNum": 14,
"text": "and made their lives bitter with hard labor in brick and mortar, and with all kinds of work in the fields. Every service they imposed was harsh."
},
{
"verseNum": 15,
"text": "Then the king of Egypt said to the Hebrew midwives, whose names were Shiphrah and Puah,"
},
{
"verseNum": 16,
"text": "“When you help the Hebrew women give birth, observe them on the birthstools. If the child is a son, kill him; but if it is a daughter, let her live.”"
},
{
"verseNum": 17,
"text": "The midwives, however, feared God and did not do as the king of Egypt had instructed; they let the boys live."
},
{
"verseNum": 18,
"text": "So the king of Egypt summoned the midwives and asked them, “Why have you done this? Why have you let the boys live?”"
},
{
"verseNum": 19,
"text": "The midwives answered Pharaoh, “The Hebrew women are not like the Egyptian women, for they are vigorous and give birth before a midwife arrives.”"
},
{
"verseNum": 20,
"text": "So God was good to the midwives, and the people multiplied and became even more numerous."
},
{
"verseNum": 21,
"text": "And because the midwives feared God, He gave them families of their own."
},
{
"verseNum": 22,
"text": "Then Pharaoh commanded all his people: “Every son born to the Hebrews you must throw into the Nile, but every daughter you may allow to live.”"
}
]
}

View File

@@ -0,0 +1,121 @@
{
"chapterNum": 10,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses, “Go to Pharaoh, for I have hardened his heart and the hearts of his officials, that I may perform these miraculous signs of Mine among them,"
},
{
"verseNum": 2,
"text": "and that you may tell your children and grandchildren how severely I dealt with the Egyptians when I performed miraculous signs among them, so that all of you may know that I am the LORD.”"
},
{
"verseNum": 3,
"text": "So Moses and Aaron went to Pharaoh and told him, “This is what the LORD, the God of the Hebrews, says: How long will you refuse to humble yourself before Me? Let My people go, so that they may worship Me."
},
{
"verseNum": 4,
"text": "But if you refuse to let My people go, I will bring locusts into your territory tomorrow."
},
{
"verseNum": 5,
"text": "They will cover the face of the land so that no one can see it. They will devour whatever is left after the hail and eat every tree that grows in your fields."
},
{
"verseNum": 6,
"text": "They will fill your houses and the houses of all your officials and every Egyptian—something neither your fathers nor your grandfathers have seen since the day they came into this land.’”\n \nThen Moses turned and left Pharaohs presence."
},
{
"verseNum": 7,
"text": "Pharaohs officials asked him, “How long will this man be a snare to us? Let the people go, so that they may worship the LORD their God. Do you not yet realize that Egypt is in ruins?”"
},
{
"verseNum": 8,
"text": "So Moses and Aaron were brought back to Pharaoh. “Go, worship the LORD your God,” he said. “But who exactly will be going?”"
},
{
"verseNum": 9,
"text": "“We will go with our young and old,” Moses replied. “We will go with our sons and daughters, and with our flocks and herds, for we must hold a feast to the LORD.”"
},
{
"verseNum": 10,
"text": "Then Pharaoh told them, “May the LORD be with you if I ever let you go with your little ones. Clearly you are bent on evil."
},
{
"verseNum": 11,
"text": "No, only the men may go and worship the LORD, since that is what you have been requesting.” And Moses and Aaron were driven from Pharaohs presence."
},
{
"verseNum": 12,
"text": "Then the LORD said to Moses, “Stretch out your hand over the land of Egypt, so that the locusts may swarm over it and devour every plant in the land—everything that the hail has left behind.”"
},
{
"verseNum": 13,
"text": "So Moses stretched out his staff over the land of Egypt, and throughout that day and night the LORD sent an east wind across the land. By morning the east wind had brought the locusts."
},
{
"verseNum": 14,
"text": "The locusts swarmed across the land and settled over the entire territory of Egypt. Never before had there been so many locusts, and never again will there be."
},
{
"verseNum": 15,
"text": "They covered the face of all the land until it was black, and they consumed all the plants on the ground and all the fruit on the trees that the hail had left behind. Nothing green was left on any tree or plant in all the land of Egypt."
},
{
"verseNum": 16,
"text": "Pharaoh quickly summoned Moses and Aaron and said, “I have sinned against the LORD your God and against you."
},
{
"verseNum": 17,
"text": "Now please forgive my sin once more and appeal to the LORD your God, that He may remove this death from me.”"
},
{
"verseNum": 18,
"text": "So Moses left Pharaohs presence and appealed to the LORD."
},
{
"verseNum": 19,
"text": "And the LORD changed the wind to a very strong west wind that carried off the locusts and blew them into the Red Sea. Not a single locust remained anywhere in Egypt."
},
{
"verseNum": 20,
"text": "But the LORD hardened Pharaohs heart, and he would not let the Israelites go."
},
{
"verseNum": 21,
"text": "Then the LORD said to Moses, “Stretch out your hand toward heaven, so that darkness may spread over the land of Egypt—a palpable darkness.”"
},
{
"verseNum": 22,
"text": "So Moses stretched out his hand toward heaven, and total darkness covered all the land of Egypt for three days."
},
{
"verseNum": 23,
"text": "No one could see anyone else, and for three days no one left his place. Yet all the Israelites had light in their dwellings."
},
{
"verseNum": 24,
"text": "Then Pharaoh summoned Moses and said, “Go, worship the LORD. Even your little ones may go with you; only your flocks and herds must stay behind.”"
},
{
"verseNum": 25,
"text": "But Moses replied, “You must also provide us with sacrifices and burnt offerings to present to the LORD our God."
},
{
"verseNum": 26,
"text": "Even our livestock must go with us; not a hoof will be left behind, for we will need some of them to worship the LORD our God, and we will not know how we are to worship the LORD until we arrive.”"
},
{
"verseNum": 27,
"text": "But the LORD hardened Pharaohs heart, and he was unwilling to let them go."
},
{
"verseNum": 28,
"text": "“Depart from me!” Pharaoh said to Moses. “Make sure you never see my face again, for on the day you see my face, you will die.”"
},
{
"verseNum": 29,
"text": "“As you say,” Moses replied, “I will never see your face again.”"
}
]
}

View File

@@ -0,0 +1,45 @@
{
"chapterNum": 11,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses, “I will bring upon Pharaoh and Egypt one more plague. After that, he will allow you to leave this place. And when he lets you go, he will drive you out completely."
},
{
"verseNum": 2,
"text": "Now announce to the people that men and women alike should ask their neighbors for articles of silver and gold.”"
},
{
"verseNum": 3,
"text": "And the LORD gave the people favor in the sight of the Egyptians. Moreover, Moses himself was highly regarded in Egypt by Pharaohs officials and by the people."
},
{
"verseNum": 4,
"text": "So Moses declared, “This is what the LORD says: About midnight I will go throughout Egypt,"
},
{
"verseNum": 5,
"text": "and every firstborn son in the land of Egypt will die, from the firstborn of Pharaoh who sits on his throne, to the firstborn of the servant girl behind the hand mill, as well as the firstborn of all the cattle."
},
{
"verseNum": 6,
"text": "Then a great cry will go out over all the land of Egypt. Such an outcry has never been heard before and will never be heard again."
},
{
"verseNum": 7,
"text": "But among all the Israelites, not even a dog will snarl at man or beast.\n \nThen you will know that the LORD makes a distinction between Egypt and Israel."
},
{
"verseNum": 8,
"text": "And all these officials of yours will come and bow before me, saying, Go, you and all the people who follow you! After that, I will depart.”\n \nAnd hot with anger, Moses left Pharaohs presence."
},
{
"verseNum": 9,
"text": "The LORD said to Moses, “Pharaoh will not listen to you, so that My wonders may be multiplied in the land of Egypt.”"
},
{
"verseNum": 10,
"text": "Moses and Aaron did all these wonders before Pharaoh, but the LORD hardened Pharaohs heart so that he would not let the Israelites go out of his land."
}
]
}

View File

@@ -0,0 +1,209 @@
{
"chapterNum": 12,
"verses": [
{
"verseNum": 1,
"text": "Now the LORD said to Moses and Aaron in the land of Egypt,"
},
{
"verseNum": 2,
"text": "“This month is the beginning of months for you; it shall be the first month of your year."
},
{
"verseNum": 3,
"text": "Tell the whole congregation of Israel that on the tenth day of this month each man must select a lamb for his family, one per household."
},
{
"verseNum": 4,
"text": "If the household is too small for a whole lamb, they are to share with the nearest neighbor based on the number of people, and apportion the lamb accordingly."
},
{
"verseNum": 5,
"text": "Your lamb must be an unblemished year-old male, and you may take it from the sheep or the goats."
},
{
"verseNum": 6,
"text": "You must keep it until the fourteenth day of the month, when the whole assembly of the congregation of Israel will slaughter the animals at twilight."
},
{
"verseNum": 7,
"text": "They are to take some of the blood and put it on the sides and tops of the doorframes of the houses where they eat the lambs."
},
{
"verseNum": 8,
"text": "They are to eat the meat that night, roasted over the fire, along with unleavened bread and bitter herbs."
},
{
"verseNum": 9,
"text": "Do not eat any of the meat raw or cooked in boiling water, but only roasted over the fire—its head and legs and inner parts."
},
{
"verseNum": 10,
"text": "Do not leave any of it until morning; before the morning you must burn up any part that is left over."
},
{
"verseNum": 11,
"text": "This is how you are to eat it: You must be fully dressed for travel, with your sandals on your feet and your staff in your hand. You are to eat in haste; it is the LORDs Passover."
},
{
"verseNum": 12,
"text": "On that night I will pass through the land of Egypt and strike down every firstborn male, both man and beast, and I will execute judgment against all the gods of Egypt. I am the LORD."
},
{
"verseNum": 13,
"text": "The blood on the houses where you are staying will distinguish them; when I see the blood, I will pass over you. No plague will fall on you to destroy you when I strike the land of Egypt."
},
{
"verseNum": 14,
"text": "And this day will be a memorial for you, and you are to celebrate it as a feast to the LORD, as a permanent statute for the generations to come."
},
{
"verseNum": 15,
"text": "For seven days you must eat unleavened bread. On the first day you are to remove the leaven from your houses. Whoever eats anything leavened from the first day through the seventh must be cut off from Israel."
},
{
"verseNum": 16,
"text": "On the first day you are to hold a sacred assembly, and another on the seventh day. You must not do any work on those days, except to prepare the meals—that is all you may do."
},
{
"verseNum": 17,
"text": "So you are to keep the Feast of Unleavened Bread, for on this very day I brought your divisions out of the land of Egypt. You must keep this day as a permanent statute for the generations to come."
},
{
"verseNum": 18,
"text": "In the first month you are to eat unleavened bread, from the evening of the fourteenth day until the evening of the twenty-first day."
},
{
"verseNum": 19,
"text": "For seven days there must be no leaven found in your houses. If anyone eats something leavened, that person, whether a foreigner or native of the land, must be cut off from the congregation of Israel."
},
{
"verseNum": 20,
"text": "You are not to eat anything leavened; eat unleavened bread in all your homes.”"
},
{
"verseNum": 21,
"text": "Then Moses summoned all the elders of Israel and told them, “Go at once and select for yourselves a lamb for each family, and slaughter the Passover lamb."
},
{
"verseNum": 22,
"text": "Take a cluster of hyssop, dip it into the blood in the basin, and brush the blood on the top and sides of the doorframe. None of you shall go out the door of his house until morning."
},
{
"verseNum": 23,
"text": "When the LORD passes through to strike down the Egyptians, He will see the blood on the top and sides of the doorframe and will pass over that doorway; so He will not allow the destroyer to enter your houses and strike you down."
},
{
"verseNum": 24,
"text": "And you are to keep this command as a permanent statute for you and your descendants."
},
{
"verseNum": 25,
"text": "When you enter the land that the LORD will give you as He promised, you are to keep this service."
},
{
"verseNum": 26,
"text": "When your children ask you, What does this service mean to you?"
},
{
"verseNum": 27,
"text": "you are to reply, It is the Passover sacrifice to the LORD, who passed over the houses of the Israelites in Egypt when He struck down the Egyptians and spared our homes.’”\n \nThen the people bowed down and worshiped."
},
{
"verseNum": 28,
"text": "And the Israelites went and did just what the LORD had commanded Moses and Aaron."
},
{
"verseNum": 29,
"text": "Now at midnight the LORD struck down every firstborn male in the land of Egypt, from the firstborn of Pharaoh, who sat on his throne, to the firstborn of the prisoner in the dungeon, as well as all the firstborn among the livestock."
},
{
"verseNum": 30,
"text": "During the night Pharaoh got up—he and all his officials and all the Egyptians—and there was loud wailing in Egypt; for there was no house without someone dead."
},
{
"verseNum": 31,
"text": "Then Pharaoh summoned Moses and Aaron by night and said, “Get up, leave my people, both you and the Israelites! Go, worship the LORD as you have requested."
},
{
"verseNum": 32,
"text": "Take your flocks and herds as well, just as you have said, and depart! And bless me also.”"
},
{
"verseNum": 33,
"text": "And in order to send them out of the land quickly, the Egyptians urged the people on. “For otherwise,” they said, “we are all going to die!”"
},
{
"verseNum": 34,
"text": "So the people took their dough before it was leavened, carrying it on their shoulders in kneading bowls wrapped in clothing."
},
{
"verseNum": 35,
"text": "Furthermore, the Israelites acted on Moses word and asked the Egyptians for articles of silver and gold, and for clothing."
},
{
"verseNum": 36,
"text": "And the LORD gave the people such favor in the sight of the Egyptians that they granted their request. In this way they plundered the Egyptians."
},
{
"verseNum": 37,
"text": "The Israelites journeyed from Rameses to Succoth with about 600,000 men on foot, besides women and children."
},
{
"verseNum": 38,
"text": "And a mixed multitude also went up with them, along with great droves of livestock, both flocks and herds."
},
{
"verseNum": 39,
"text": "Since their dough had no leaven, the people baked what they had brought out of Egypt into unleavened loaves. For when they had been driven out of Egypt, they could not delay and had not prepared any provisions for themselves."
},
{
"verseNum": 40,
"text": "Now the duration of the Israelites stay in Egypt was 430 years."
},
{
"verseNum": 41,
"text": "At the end of the 430 years, to the very day, all the LORDs divisions went out of the land of Egypt."
},
{
"verseNum": 42,
"text": "Because the LORD kept a vigil that night to bring them out of the land of Egypt, this same night is to be a vigil to the LORD, to be observed by all the Israelites for the generations to come."
},
{
"verseNum": 43,
"text": "And the LORD said to Moses and Aaron, “This is the statute of the Passover: No foreigner is to eat of it."
},
{
"verseNum": 44,
"text": "But any slave who has been purchased may eat of it, after you have circumcised him."
},
{
"verseNum": 45,
"text": "A temporary resident or hired hand shall not eat the Passover."
},
{
"verseNum": 46,
"text": "It must be eaten inside one house. You are not to take any of the meat outside the house, and you may not break any of the bones."
},
{
"verseNum": 47,
"text": "The whole congregation of Israel must celebrate it."
},
{
"verseNum": 48,
"text": "If a foreigner resides with you and wants to celebrate the LORDs Passover, all the males in the household must be circumcised; then he may come near to celebrate it, and he shall be like a native of the land. But no uncircumcised man may eat of it."
},
{
"verseNum": 49,
"text": "The same law shall apply to both the native and the foreigner who resides among you.”"
},
{
"verseNum": 50,
"text": "Then all the Israelites did this—they did just as the LORD had commanded Moses and Aaron."
},
{
"verseNum": 51,
"text": "And on that very day the LORD brought the Israelites out of the land of Egypt by their divisions."
}
]
}

View File

@@ -0,0 +1,93 @@
{
"chapterNum": 13,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses,"
},
{
"verseNum": 2,
"text": "“Consecrate to Me every firstborn male. The firstborn from every womb among the Israelites belongs to Me, both of man and beast.”"
},
{
"verseNum": 3,
"text": "So Moses told the people, “Remember this day, the day you came out of Egypt, out of the house of slavery; for the LORD brought you out of it by the strength of His hand. And nothing leavened shall be eaten."
},
{
"verseNum": 4,
"text": "Today, in the month of Abib, you are leaving."
},
{
"verseNum": 5,
"text": "And when the LORD brings you into the land of the Canaanites, Hittites, Amorites, Hivites, and Jebusites—the land He swore to your fathers that He would give you, a land flowing with milk and honey—you shall keep this service in this month."
},
{
"verseNum": 6,
"text": "For seven days you are to eat unleavened bread, and on the seventh day there shall be a feast to the LORD."
},
{
"verseNum": 7,
"text": "Unleavened bread shall be eaten during those seven days. Nothing leavened may be found among you, nor shall leaven be found anywhere within your borders."
},
{
"verseNum": 8,
"text": "And on that day you are to explain to your son, This is because of what the LORD did for me when I came out of Egypt."
},
{
"verseNum": 9,
"text": "It shall be a sign for you on your hand and a reminder on your forehead that the Law of the LORD is to be on your lips. For with a mighty hand the LORD brought you out of Egypt."
},
{
"verseNum": 10,
"text": "Therefore you shall keep this statute at the appointed time year after year."
},
{
"verseNum": 11,
"text": "And after the LORD brings you into the land of the Canaanites and gives it to you, as He swore to you and your fathers,"
},
{
"verseNum": 12,
"text": "you are to present to the LORD the firstborn male of every womb. All the firstborn males of your livestock belong to the LORD."
},
{
"verseNum": 13,
"text": "You must redeem every firstborn donkey with a lamb, and if you do not redeem it, you are to break its neck. And every firstborn of your sons you must redeem."
},
{
"verseNum": 14,
"text": "In the future, when your son asks you, What does this mean? you are to tell him, With a mighty hand the LORD brought us out of Egypt, out of the house of slavery."
},
{
"verseNum": 15,
"text": "And when Pharaoh stubbornly refused to let us go, the LORD killed every firstborn in the land of Egypt, both of man and beast. This is why I sacrifice to the LORD the firstborn male of every womb, but I redeem all the firstborn of my sons."
},
{
"verseNum": 16,
"text": "So it shall serve as a sign on your hand and a symbol on your forehead, for with a mighty hand the LORD brought us out of Egypt.”"
},
{
"verseNum": 17,
"text": "When Pharaoh let the people go, God did not lead them along the road through the land of the Philistines, though it was shorter. For God said, “If the people face war, they might change their minds and return to Egypt.”"
},
{
"verseNum": 18,
"text": "So God led the people around by the way of the wilderness toward the Red Sea. And the Israelites left the land of Egypt arrayed for battle."
},
{
"verseNum": 19,
"text": "Moses took the bones of Joseph with him because Joseph had made the sons of Israel swear a solemn oath when he said, “God will surely attend to you, and then you must carry my bones with you from this place.”"
},
{
"verseNum": 20,
"text": "They set out from Succoth and camped at Etham on the edge of the wilderness."
},
{
"verseNum": 21,
"text": "And the LORD went before them in a pillar of cloud to guide their way by day, and in a pillar of fire to give them light by night, so that they could travel by day or night."
},
{
"verseNum": 22,
"text": "Neither the pillar of cloud by day nor the pillar of fire by night left its place before the people."
}
]
}

View File

@@ -0,0 +1,129 @@
{
"chapterNum": 14,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses,"
},
{
"verseNum": 2,
"text": "“Tell the Israelites to turn back and encamp before Pi-hahiroth, between Migdol and the sea. You are to encamp by the sea, directly opposite Baal-zephon."
},
{
"verseNum": 3,
"text": "For Pharaoh will say of the Israelites, They are wandering the land in confusion; the wilderness has boxed them in."
},
{
"verseNum": 4,
"text": "And I will harden Pharaohs heart so that he will pursue them. But I will gain honor by means of Pharaoh and all his army, and the Egyptians will know that I am the LORD.”\n \nSo this is what the Israelites did."
},
{
"verseNum": 5,
"text": "When the king of Egypt was told that the people had fled, Pharaoh and his officials changed their minds about them and said, “What have we done? We have released Israel from serving us.”"
},
{
"verseNum": 6,
"text": "So Pharaoh prepared his chariot and took his army with him."
},
{
"verseNum": 7,
"text": "He took 600 of the best chariots, and all the other chariots of Egypt, with officers over all of them."
},
{
"verseNum": 8,
"text": "And the LORD hardened the heart of Pharaoh king of Egypt so that he pursued the Israelites, who were marching out defiantly."
},
{
"verseNum": 9,
"text": "The Egyptians—all Pharaohs horses and chariots, horsemen and troops—pursued the Israelites and overtook them as they camped by the sea near Pi-hahiroth, opposite Baal-zephon."
},
{
"verseNum": 10,
"text": "As Pharaoh approached, the Israelites looked up and saw the Egyptians marching after them, and they were terrified and cried out to the LORD."
},
{
"verseNum": 11,
"text": "They said to Moses, “Was it because there were no graves in Egypt that you brought us into the wilderness to die? What have you done to us by bringing us out of Egypt?"
},
{
"verseNum": 12,
"text": "Did we not say to you in Egypt, Leave us alone so that we may serve the Egyptians? For it would have been better for us to serve the Egyptians than to die in the wilderness.”"
},
{
"verseNum": 13,
"text": "But Moses told the people, “Do not be afraid. Stand firm and you will see the LORDs salvation, which He will accomplish for you today; for the Egyptians you see today, you will never see again."
},
{
"verseNum": 14,
"text": "The LORD will fight for you; you need only to be still.”"
},
{
"verseNum": 15,
"text": "Then the LORD said to Moses, “Why are you crying out to Me? Tell the Israelites to go forward."
},
{
"verseNum": 16,
"text": "And as for you, lift up your staff and stretch out your hand over the sea and divide it, so that the Israelites can go through the sea on dry ground."
},
{
"verseNum": 17,
"text": "And I will harden the hearts of the Egyptians so that they will go in after them. Then I will gain honor by means of Pharaoh and all his army and chariots and horsemen."
},
{
"verseNum": 18,
"text": "The Egyptians will know that I am the LORD when I am honored through Pharaoh, his chariots, and his horsemen.”"
},
{
"verseNum": 19,
"text": "And the angel of God, who had gone before the camp of Israel, withdrew and went behind them. The pillar of cloud also moved from before them and stood behind them,"
},
{
"verseNum": 20,
"text": "so that it came between the camps of Egypt and Israel. The cloud was there in the darkness, but it lit up the night. So all night long neither camp went near the other."
},
{
"verseNum": 21,
"text": "Then Moses stretched out his hand over the sea, and all that night the LORD drove back the sea with a strong east wind that turned it into dry land. So the waters were divided,"
},
{
"verseNum": 22,
"text": "and the Israelites went through the sea on dry ground, with walls of water on their right and on their left."
},
{
"verseNum": 23,
"text": "And the Egyptians chased after them—all Pharaohs horses, chariots, and horsemen—and followed them into the sea."
},
{
"verseNum": 24,
"text": "At morning watch, however, the LORD looked down on the army of the Egyptians from the pillar of fire and cloud, and He threw their camp into confusion."
},
{
"verseNum": 25,
"text": "He caused their chariot wheels to wobble, so that they had difficulty driving. “Let us flee from the Israelites,” said the Egyptians, “for the LORD is fighting for them against Egypt!”"
},
{
"verseNum": 26,
"text": "Then the LORD said to Moses, “Stretch out your hand over the sea, so that the waters may flow back over the Egyptians and their chariots and horsemen.”"
},
{
"verseNum": 27,
"text": "So Moses stretched out his hand over the sea, and at daybreak the sea returned to its normal state. As the Egyptians were retreating, the LORD swept them into the sea."
},
{
"verseNum": 28,
"text": "The waters flowed back and covered the chariots and horsemen—the entire army of Pharaoh that had chased the Israelites into the sea. Not one of them survived."
},
{
"verseNum": 29,
"text": "But the Israelites had walked through the sea on dry ground, with walls of water on their right and on their left."
},
{
"verseNum": 30,
"text": "That day the LORD saved Israel from the hand of the Egyptians, and Israel saw the Egyptians dead on the shore."
},
{
"verseNum": 31,
"text": "When Israel saw the great power that the LORD had exercised over the Egyptians, the people feared the LORD and believed in Him and in His servant Moses."
}
]
}

View File

@@ -0,0 +1,113 @@
{
"chapterNum": 15,
"verses": [
{
"verseNum": 1,
"text": "Then Moses and the Israelites sang this song to the LORD:\n \n “I will sing to the LORD,\n for He is highly exalted.\n The horse and rider\n He has thrown into the sea."
},
{
"verseNum": 2,
"text": "The LORD is my strength and my song,\n and He has become my salvation.\n He is my God, and I will praise Him,\n my fathers God, and I will exalt Him."
},
{
"verseNum": 3,
"text": "The LORD is a warrior,\n the LORD is His name."
},
{
"verseNum": 4,
"text": "Pharaohs chariots and army\n He has cast into the sea;\n the finest of his officers\n are drowned in the Red Sea."
},
{
"verseNum": 5,
"text": "The depths have covered them;\n they sank there like a stone."
},
{
"verseNum": 6,
"text": "Your right hand, O LORD,\n is majestic in power;\n Your right hand, O LORD,\n has shattered the enemy."
},
{
"verseNum": 7,
"text": "You overthrew Your adversaries\n by Your great majesty.\n You unleashed Your burning wrath;\n it consumed them like stubble."
},
{
"verseNum": 8,
"text": "At the blast of Your nostrils\n the waters piled up;\n like a wall the currents stood firm;\n the depths congealed in the heart of the sea."
},
{
"verseNum": 9,
"text": "The enemy declared,\n I will pursue, I will overtake.\n I will divide the spoils;\n I will gorge myself on them.\n I will draw my sword;\n my hand will destroy them."
},
{
"verseNum": 10,
"text": "But You blew with Your breath,\n and the sea covered them.\n They sank like lead\n in the mighty waters."
},
{
"verseNum": 11,
"text": "Who among the gods is like You, O LORD?\n Who is like You—majestic in holiness,\n revered with praises,\n performing wonders?"
},
{
"verseNum": 12,
"text": "You stretched out Your right hand,\n and the earth swallowed them up."
},
{
"verseNum": 13,
"text": "With loving devotion You will lead\n the people You have redeemed;\n with Your strength You will guide them\n to Your holy dwelling."
},
{
"verseNum": 14,
"text": "The nations will hear and tremble;\n anguish will grip the dwellers of Philistia."
},
{
"verseNum": 15,
"text": "Then the chiefs of Edom will be dismayed;\n trembling will seize the leaders of Moab;\n those who dwell in Canaan will melt away,"
},
{
"verseNum": 16,
"text": "and terror and dread will fall on them.\n By the power of Your arm\n they will be as still as a stone\n until Your people pass by, O LORD,\n until the people You have bought pass by."
},
{
"verseNum": 17,
"text": "You will bring them in and plant them\n on the mountain of Your inheritance—\n the place, O LORD, You have prepared for Your dwelling,\n the sanctuary, O Lord, Your hands have established."
},
{
"verseNum": 18,
"text": "The LORD will reign forever and ever!”"
},
{
"verseNum": 19,
"text": "For when Pharaohs horses, chariots, and horsemen went into the sea, the LORD brought the waters of the sea back over them. But the Israelites walked through the sea on dry ground."
},
{
"verseNum": 20,
"text": "Then Miriam the prophetess, Aarons sister, took a tambourine in her hand, and all the women followed her with tambourines and dancing."
},
{
"verseNum": 21,
"text": "And Miriam sang back to them:\n \n “Sing to the LORD,\n for He is highly exalted;\n the horse and rider\n He has thrown into the sea.”"
},
{
"verseNum": 22,
"text": "Then Moses led Israel from the Red Sea, and they went out into the Desert of Shur. For three days they walked in the desert without finding water."
},
{
"verseNum": 23,
"text": "And when they came to Marah, they could not drink the water there because it was bitter. (That is why it was named Marah.)"
},
{
"verseNum": 24,
"text": "So the people grumbled against Moses, saying, “What are we to drink?”"
},
{
"verseNum": 25,
"text": "And Moses cried out to the LORD, and the LORD showed him a log. And when he cast it into the waters, they were sweetened.\n \nThere the LORD made for them a statute and an ordinance, and there He tested them,"
},
{
"verseNum": 26,
"text": "saying, “If you will listen carefully to the voice of the LORD your God, and do what is right in His eyes, and pay attention to His commands, and keep all His statutes, then I will not bring on you any of the diseases I inflicted on the Egyptians. For I am the LORD who heals you.”"
},
{
"verseNum": 27,
"text": "Then they came to Elim, where there were twelve springs of water and seventy palm trees, and they camped there by the waters."
}
]
}

View File

@@ -0,0 +1,149 @@
{
"chapterNum": 16,
"verses": [
{
"verseNum": 1,
"text": "On the fifteenth day of the second month after they had left the land of Egypt, the whole congregation of Israel set out from Elim and came to the Desert of Sin, which is between Elim and Sinai."
},
{
"verseNum": 2,
"text": "And there in the desert they all grumbled against Moses and Aaron."
},
{
"verseNum": 3,
"text": "“If only we had died by the LORDs hand in the land of Egypt!” they said. “There we sat by pots of meat and ate our fill of bread, but you have brought us into this desert to starve this whole assembly to death!”"
},
{
"verseNum": 4,
"text": "Then the LORD said to Moses, “Behold, I will rain down bread from heaven for you. Each day the people are to go out and gather enough for that day. In this way I will test whether or not they will follow My instructions."
},
{
"verseNum": 5,
"text": "Then on the sixth day, when they prepare what they bring in, it will be twice as much as they gather on the other days.”"
},
{
"verseNum": 6,
"text": "So Moses and Aaron said to all the Israelites, “This evening you will know that it was the LORD who brought you out of the land of Egypt,"
},
{
"verseNum": 7,
"text": "and in the morning you will see the LORDs glory, because He has heard your grumbling against Him. For who are we that you should grumble against us?”"
},
{
"verseNum": 8,
"text": "And Moses added, “The LORD will give you meat to eat this evening and bread to fill you in the morning, for He has heard your grumbling against Him. Who are we? Your grumblings are not against us but against the LORD.”"
},
{
"verseNum": 9,
"text": "Then Moses said to Aaron, “Tell the whole congregation of Israel, Come before the LORD, for He has heard your grumbling.’”"
},
{
"verseNum": 10,
"text": "And as Aaron was speaking to the whole congregation of Israel, they looked toward the desert, and there in a cloud the glory of the LORD appeared."
},
{
"verseNum": 11,
"text": "Then the LORD said to Moses,"
},
{
"verseNum": 12,
"text": "“I have heard the grumbling of the Israelites. Tell them, At twilight you will eat meat, and in the morning you will be filled with bread. Then you will know that I am the LORD your God.’”"
},
{
"verseNum": 13,
"text": "That evening quail came and covered the camp, and in the morning there was a layer of dew around the camp."
},
{
"verseNum": 14,
"text": "When the layer of dew had evaporated, there were thin flakes on the desert floor, as fine as frost on the ground."
},
{
"verseNum": 15,
"text": "When the Israelites saw it, they asked one another, “What is it?” For they did not know what it was.\n \nSo Moses told them, “It is the bread that the LORD has given you to eat."
},
{
"verseNum": 16,
"text": "This is what the LORD has commanded: Each one is to gather as much as he needs. You may take an omer for each person in your tent.’”"
},
{
"verseNum": 17,
"text": "So the Israelites did this. Some gathered more, and some less."
},
{
"verseNum": 18,
"text": "When they measured it by the omer, he who gathered much had no excess, and he who gathered little had no shortfall. Each one gathered as much as he needed to eat."
},
{
"verseNum": 19,
"text": "Then Moses said to them, “No one may keep any of it until morning.”"
},
{
"verseNum": 20,
"text": "But they did not listen to Moses; some people left part of it until morning, and it became infested with maggots and began to smell. So Moses was angry with them."
},
{
"verseNum": 21,
"text": "Every morning each one gathered as much as was needed, and when the sun grew hot, it melted away."
},
{
"verseNum": 22,
"text": "On the sixth day, they gathered twice as much food—two omers per person —and all the leaders of the congregation came and reported this to Moses."
},
{
"verseNum": 23,
"text": "He told them, “This is what the LORD has said: Tomorrow is to be a day of complete rest, a holy Sabbath to the LORD. So bake what you want to bake, and boil what you want to boil. Then set aside whatever remains and keep it until morning.’”"
},
{
"verseNum": 24,
"text": "So they set it aside until morning as Moses had commanded, and it did not smell or contain any maggots."
},
{
"verseNum": 25,
"text": "“Eat it today,” Moses said, “because today is a Sabbath to the LORD. Today you will not find anything in the field."
},
{
"verseNum": 26,
"text": "For six days you may gather, but on the seventh day, the Sabbath, it will not be there.”"
},
{
"verseNum": 27,
"text": "Yet on the seventh day some of the people went out to gather, but they did not find anything."
},
{
"verseNum": 28,
"text": "Then the LORD said to Moses, “How long will you refuse to keep My commandments and instructions?"
},
{
"verseNum": 29,
"text": "Understand that the LORD has given you the Sabbath; that is why on the sixth day He will give you bread for two days. On the seventh day, everyone must stay where he is; no one may leave his place.”"
},
{
"verseNum": 30,
"text": "So the people rested on the seventh day."
},
{
"verseNum": 31,
"text": "Now the house of Israel called the bread manna. It was white like coriander seed and tasted like wafers made with honey."
},
{
"verseNum": 32,
"text": "Moses said, “This is what the LORD has commanded: Keep an omer of manna for the generations to come, so that they may see the bread I fed you in the wilderness when I brought you out of the land of Egypt.’”"
},
{
"verseNum": 33,
"text": "So Moses told Aaron, “Take a jar and fill it with an omer of manna. Then place it before the LORD to be preserved for the generations to come.”"
},
{
"verseNum": 34,
"text": "And Aaron placed it in front of the Testimony, to be preserved just as the LORD had commanded Moses."
},
{
"verseNum": 35,
"text": "The Israelites ate manna forty years, until they came to a land where they could settle; they ate manna until they reached the border of Canaan."
},
{
"verseNum": 36,
"text": "(Now an omer is a tenth of an ephah.)"
}
]
}

View File

@@ -0,0 +1,69 @@
{
"chapterNum": 17,
"verses": [
{
"verseNum": 1,
"text": "Then the whole congregation of Israel left the Desert of Sin, moving from place to place as the LORD commanded. They camped at Rephidim, but there was no water for the people to drink."
},
{
"verseNum": 2,
"text": "So the people contended with Moses, “Give us water to drink.”\n \n“Why do you contend with me?” Moses replied. “Why do you test the LORD?”"
},
{
"verseNum": 3,
"text": "But the people thirsted for water there, and they grumbled against Moses: “Why have you brought us out of Egypt—to make us and our children and livestock die of thirst?”"
},
{
"verseNum": 4,
"text": "Then Moses cried out to the LORD, “What should I do with these people? A little more and they will stone me!”"
},
{
"verseNum": 5,
"text": "And the LORD said to Moses, “Walk on ahead of the people and take some of the elders of Israel with you. Take along in your hand the staff with which you struck the Nile, and go."
},
{
"verseNum": 6,
"text": "Behold, I will stand there before you by the rock at Horeb. And when you strike the rock, water will come out of it for the people to drink.”\n \nSo Moses did this in the sight of the elders of Israel."
},
{
"verseNum": 7,
"text": "He named the place Massah and Meribah because the Israelites quarreled, and because they tested the LORD, saying, “Is the LORD among us or not?”"
},
{
"verseNum": 8,
"text": "After this, the Amalekites came and attacked the Israelites at Rephidim."
},
{
"verseNum": 9,
"text": "So Moses said to Joshua, “Choose some of our men and go out to fight the Amalekites. Tomorrow I will stand on the hilltop with the staff of God in my hand.”"
},
{
"verseNum": 10,
"text": "Joshua did as Moses had instructed him and fought against the Amalekites, while Moses, Aaron, and Hur went up to the top of the hill."
},
{
"verseNum": 11,
"text": "As long as Moses held up his hands, Israel prevailed; but when he lowered them, Amalek prevailed."
},
{
"verseNum": 12,
"text": "When Moses hands grew heavy, they took a stone and put it under him, and he sat on it. Then Aaron and Hur held his hands up, one on each side, so that his hands remained steady until the sun went down."
},
{
"verseNum": 13,
"text": "So Joshua overwhelmed Amalek and his army with the sword."
},
{
"verseNum": 14,
"text": "Then the LORD said to Moses, “Write this on a scroll as a reminder and recite it to Joshua, because I will utterly blot out the memory of Amalek from under heaven.”"
},
{
"verseNum": 15,
"text": "And Moses built an altar and named it The LORD Is My Banner."
},
{
"verseNum": 16,
"text": "“Indeed,” he said, “a hand was lifted up toward the throne of the LORD. The LORD will war against Amalek from generation to generation.”"
}
]
}

View File

@@ -0,0 +1,113 @@
{
"chapterNum": 18,
"verses": [
{
"verseNum": 1,
"text": "Now Moses father-in-law Jethro, the priest of Midian, heard about all that God had done for Moses and His people Israel, and how the LORD had brought Israel out of Egypt."
},
{
"verseNum": 2,
"text": "After Moses had sent back his wife Zipporah, his father-in-law Jethro had received her,"
},
{
"verseNum": 3,
"text": "along with her two sons. One son was named Gershom, for Moses had said, “I have been a foreigner in a foreign land.”"
},
{
"verseNum": 4,
"text": "The other son was named Eliezer, for Moses had said, “The God of my father was my helper and delivered me from the sword of Pharaoh.”"
},
{
"verseNum": 5,
"text": "Moses father-in-law Jethro, along with Moses wife and sons, came to him in the desert, where he was encamped at the mountain of God."
},
{
"verseNum": 6,
"text": "He sent word to Moses, “I, your father-in-law Jethro, am coming to you with your wife and her two sons.”"
},
{
"verseNum": 7,
"text": "So Moses went out to meet his father-in-law and bowed down and kissed him. They greeted each other and went into the tent."
},
{
"verseNum": 8,
"text": "Then Moses recounted to his father-in-law all that the LORD had done to Pharaoh and the Egyptians for Israels sake, all the hardships they had encountered along the way, and how the LORD had delivered them."
},
{
"verseNum": 9,
"text": "And Jethro rejoiced over all the good things the LORD had done for Israel, whom He had rescued from the hand of the Egyptians."
},
{
"verseNum": 10,
"text": "Jethro declared, “Blessed be the LORD, who has delivered you from the hand of the Egyptians and of Pharaoh, and who has delivered the people from the hand of the Egyptians."
},
{
"verseNum": 11,
"text": "Now I know that the LORD is greater than all other gods, for He did this when they treated Israel with arrogance.”"
},
{
"verseNum": 12,
"text": "Then Moses father-in-law Jethro brought a burnt offering and sacrifices to God, and Aaron came with all the elders of Israel to eat bread with Moses father-in-law in the presence of God."
},
{
"verseNum": 13,
"text": "The next day Moses took his seat to judge the people, and they stood around him from morning until evening."
},
{
"verseNum": 14,
"text": "When his father-in-law saw all that Moses was doing for the people, he asked, “What is this that you are doing for the people? Why do you sit alone as judge, with all the people standing around you from morning till evening?”"
},
{
"verseNum": 15,
"text": "“Because the people come to me to inquire of God,” Moses replied."
},
{
"verseNum": 16,
"text": "“Whenever they have a dispute, it is brought to me to judge between one man and another, and I make known to them the statutes and laws of God.”"
},
{
"verseNum": 17,
"text": "But Moses father-in-law said to him, “What you are doing is not good."
},
{
"verseNum": 18,
"text": "Surely you and these people with you will wear yourselves out, because the task is too heavy for you. You cannot handle it alone."
},
{
"verseNum": 19,
"text": "Now listen to me; I will give you some advice, and may God be with you. You must be the peoples representative before God and bring their causes to Him."
},
{
"verseNum": 20,
"text": "Teach them the statutes and laws, and show them the way to live and the work they must do."
},
{
"verseNum": 21,
"text": "Furthermore, select capable men from among the people—God-fearing, trustworthy men who are averse to dishonest gain. Appoint them over the people as leaders of thousands, of hundreds, of fifties, and of tens."
},
{
"verseNum": 22,
"text": "Have these men judge the people at all times. Then they can bring you any major issue, but all minor cases they can judge on their own, so that your load may be lightened as they share it with you."
},
{
"verseNum": 23,
"text": "If you follow this advice and God so directs you, then you will be able to endure, and all these people can go home in peace.”"
},
{
"verseNum": 24,
"text": "Moses listened to his father-in-law and did everything he said."
},
{
"verseNum": 25,
"text": "So Moses chose capable men from all Israel and made them heads over the people as leaders of thousands, of hundreds, of fifties, and of tens."
},
{
"verseNum": 26,
"text": "And they judged the people at all times; they would bring the difficult cases to Moses, but any minor issue they would judge themselves."
},
{
"verseNum": 27,
"text": "Then Moses sent his father-in-law on his way, and Jethro returned to his own land."
}
]
}

View File

@@ -0,0 +1,105 @@
{
"chapterNum": 19,
"verses": [
{
"verseNum": 1,
"text": "In the third month, on the same day of the month that the Israelites had left the land of Egypt, they came to the Wilderness of Sinai."
},
{
"verseNum": 2,
"text": "After they had set out from Rephidim, they entered the Wilderness of Sinai, and Israel camped there in front of the mountain."
},
{
"verseNum": 3,
"text": "Then Moses went up to God, and the LORD called to him from the mountain, “This is what you are to tell the house of Jacob and explain to the sons of Israel:"
},
{
"verseNum": 4,
"text": "You have seen for yourselves what I did to Egypt, and how I carried you on eagles wings and brought you to Myself."
},
{
"verseNum": 5,
"text": "Now if you will indeed obey My voice and keep My covenant, you will be My treasured possession out of all the nations—for the whole earth is Mine."
},
{
"verseNum": 6,
"text": "And unto Me you shall be a kingdom of priests and a holy nation. These are the words that you are to speak to the Israelites.”"
},
{
"verseNum": 7,
"text": "So Moses went back and summoned the elders of the people and set before them all these words that the LORD had commanded him."
},
{
"verseNum": 8,
"text": "And all the people answered together, “We will do everything that the LORD has spoken.”\n \nSo Moses brought their words back to the LORD."
},
{
"verseNum": 9,
"text": "The LORD said to Moses, “Behold, I will come to you in a dense cloud, so that the people will hear when I speak with you, and they will always put their trust in you.”\n \nAnd Moses relayed to the LORD what the people had said."
},
{
"verseNum": 10,
"text": "Then the LORD said to Moses, “Go to the people and consecrate them today and tomorrow. They must wash their clothes"
},
{
"verseNum": 11,
"text": "and be prepared by the third day, for on the third day the LORD will come down on Mount Sinai in the sight of all the people."
},
{
"verseNum": 12,
"text": "And you are to set up a boundary for the people around the mountain and tell them, Be careful not to go up on the mountain or touch its base. Whoever touches the mountain shall surely be put to death."
},
{
"verseNum": 13,
"text": "No hand shall touch him, but he shall surely be stoned or shot with arrows—whether man or beast, he must not live.\n \nOnly when the rams horn sounds a long blast may they approach the mountain.”"
},
{
"verseNum": 14,
"text": "When Moses came down from the mountain to the people, he consecrated them, and they washed their clothes."
},
{
"verseNum": 15,
"text": "“Be prepared for the third day,” he said to the people. “Do not draw near to a woman.”"
},
{
"verseNum": 16,
"text": "On the third day, when morning came, there was thunder and lightning. A thick cloud was upon the mountain, and a very loud blast of the rams horn went out, so that all the people in the camp trembled."
},
{
"verseNum": 17,
"text": "Then Moses brought the people out of the camp to meet with God, and they stood at the foot of the mountain."
},
{
"verseNum": 18,
"text": "Mount Sinai was completely enveloped in smoke, because the LORD had descended on it in fire. And the smoke rose like the smoke of a furnace, and the whole mountain quaked violently."
},
{
"verseNum": 19,
"text": "And as the sound of the rams horn grew louder and louder, Moses spoke and God answered him in the thunder."
},
{
"verseNum": 20,
"text": "The LORD descended to the top of Mount Sinai and called Moses to the summit. So Moses went up,"
},
{
"verseNum": 21,
"text": "and the LORD said to him, “Go down and warn the people not to break through to see the LORD, lest many of them perish."
},
{
"verseNum": 22,
"text": "Even the priests who approach the LORD must consecrate themselves, or the LORD will break out against them.”"
},
{
"verseNum": 23,
"text": "But Moses said to the LORD, “The people cannot come up Mount Sinai, for You solemnly warned us, Put a boundary around the mountain and set it apart as holy.’”"
},
{
"verseNum": 24,
"text": "And the LORD replied, “Go down and bring Aaron with you. But the priests and the people must not break through to come up to the LORD, or He will break out against them.”"
},
{
"verseNum": 25,
"text": "So Moses went down to the people and spoke to them."
}
]
}

View File

@@ -0,0 +1,105 @@
{
"chapterNum": 2,
"verses": [
{
"verseNum": 1,
"text": "Now a man of the house of Levi married a daughter of Levi,"
},
{
"verseNum": 2,
"text": "and she conceived and gave birth to a son. When she saw that he was a beautiful child, she hid him for three months."
},
{
"verseNum": 3,
"text": "But when she could no longer hide him, she got him a papyrus basket and coated it with tar and pitch. Then she placed the child in the basket and set it among the reeds along the bank of the Nile."
},
{
"verseNum": 4,
"text": "And his sister stood at a distance to see what would happen to him."
},
{
"verseNum": 5,
"text": "Soon the daughter of Pharaoh went down to bathe in the Nile, and her attendants were walking along the riverbank. And when she saw the basket among the reeds, she sent her maidservant to retrieve it."
},
{
"verseNum": 6,
"text": "When she opened it, she saw the child, and behold, the little boy was crying. So she had compassion on him and said, “This is one of the Hebrew children.”"
},
{
"verseNum": 7,
"text": "Then his sister said to Pharaohs daughter, “Shall I go and call one of the Hebrew women to nurse the child for you?”"
},
{
"verseNum": 8,
"text": "“Go ahead,” Pharaohs daughter told her. And the girl went and called the boys mother."
},
{
"verseNum": 9,
"text": "Pharaohs daughter said to her, “Take this child and nurse him for me, and I will pay your wages.” So the woman took the boy and nursed him."
},
{
"verseNum": 10,
"text": "When the child had grown older, she brought him to Pharaohs daughter, and he became her son. She named him Moses and explained, “I drew him out of the water.”"
},
{
"verseNum": 11,
"text": "One day, after Moses had grown up, he went out to his own people and observed their hard labor. He saw an Egyptian beating a Hebrew, one of his own people."
},
{
"verseNum": 12,
"text": "After looking this way and that and seeing no one, he struck down the Egyptian and hid his body in the sand."
},
{
"verseNum": 13,
"text": "The next day Moses went out and saw two Hebrews fighting. He asked the one in the wrong, “Why are you attacking your companion?”"
},
{
"verseNum": 14,
"text": "But the man replied, “Who made you ruler and judge over us? Are you planning to kill me as you killed the Egyptian?”\n \nThen Moses was afraid and thought, “This thing I have done has surely become known.”"
},
{
"verseNum": 15,
"text": "When Pharaoh heard about this matter, he sought to kill Moses. But Moses fled from Pharaoh and settled in the land of Midian, where he sat down beside a well."
},
{
"verseNum": 16,
"text": "Now the priest of Midian had seven daughters, and they came to draw water and fill the troughs to water their fathers flock."
},
{
"verseNum": 17,
"text": "And when some shepherds came along and drove them away, Moses rose up to help them and watered their flock."
},
{
"verseNum": 18,
"text": "When the daughters returned to their father Reuel, he asked them, “Why have you returned so early today?”"
},
{
"verseNum": 19,
"text": "“An Egyptian rescued us from the shepherds,” they replied. “He even drew water for us and watered the flock.”"
},
{
"verseNum": 20,
"text": "“So where is he?” their father asked. “Why did you leave the man behind? Invite him to have something to eat.”"
},
{
"verseNum": 21,
"text": "Moses agreed to stay with the man, and he gave his daughter Zipporah to Moses in marriage."
},
{
"verseNum": 22,
"text": "And she gave birth to a son, and Moses named him Gershom, saying, “I have become a foreigner in a foreign land.”"
},
{
"verseNum": 23,
"text": "After a long time, the king of Egypt died. The Israelites groaned and cried out under their burden of slavery, and their cry for deliverance from bondage ascended to God."
},
{
"verseNum": 24,
"text": "So God heard their groaning, and He remembered His covenant with Abraham, Isaac, and Jacob."
},
{
"verseNum": 25,
"text": "God saw the Israelites and took notice."
}
]
}

View File

@@ -0,0 +1,109 @@
{
"chapterNum": 20,
"verses": [
{
"verseNum": 1,
"text": "And God spoke all these words:"
},
{
"verseNum": 2,
"text": "“I am the LORD your God, who brought you out of the land of Egypt, out of the house of slavery."
},
{
"verseNum": 3,
"text": "You shall have no other gods before Me."
},
{
"verseNum": 4,
"text": "You shall not make for yourself an idol in the form of anything in the heavens above, on the earth below, or in the waters beneath."
},
{
"verseNum": 5,
"text": "You shall not bow down to them or worship them; for I, the LORD your God, am a jealous God, visiting the iniquity of the fathers on their children to the third and fourth generations of those who hate Me,"
},
{
"verseNum": 6,
"text": "but showing loving devotion to a thousand generations of those who love Me and keep My commandments."
},
{
"verseNum": 7,
"text": "You shall not take the name of the LORD your God in vain, for the LORD will not leave anyone unpunished who takes His name in vain."
},
{
"verseNum": 8,
"text": "Remember the Sabbath day by keeping it holy."
},
{
"verseNum": 9,
"text": "Six days you shall labor and do all your work,"
},
{
"verseNum": 10,
"text": "but the seventh day is a Sabbath to the LORD your God, on which you must not do any work—neither you, nor your son or daughter, nor your manservant or maidservant or livestock, nor the foreigner within your gates."
},
{
"verseNum": 11,
"text": "For in six days the LORD made the heavens and the earth and the sea and all that is in them, but on the seventh day He rested. Therefore the LORD blessed the Sabbath day and set it apart as holy."
},
{
"verseNum": 12,
"text": "Honor your father and mother, so that your days may be long in the land that the LORD your God is giving you."
},
{
"verseNum": 13,
"text": "You shall not murder."
},
{
"verseNum": 14,
"text": "You shall not commit adultery."
},
{
"verseNum": 15,
"text": "You shall not steal."
},
{
"verseNum": 16,
"text": "You shall not bear false witness against your neighbor."
},
{
"verseNum": 17,
"text": "You shall not covet your neighbors house. You shall not covet your neighbors wife, or his manservant or maidservant, or his ox or donkey, or anything that belongs to your neighbor.”"
},
{
"verseNum": 18,
"text": "When all the people witnessed the thunder and lightning, the sounding of the rams horn, and the mountain enveloped in smoke, they trembled and stood at a distance."
},
{
"verseNum": 19,
"text": "“Speak to us yourself and we will listen,” they said to Moses. “But do not let God speak to us, or we will die.”"
},
{
"verseNum": 20,
"text": "“Do not be afraid,” Moses replied. “For God has come to test you, so that the fear of Him may be before you, to keep you from sinning.”"
},
{
"verseNum": 21,
"text": "And the people stood at a distance as Moses approached the thick darkness where God was."
},
{
"verseNum": 22,
"text": "Then the LORD said to Moses, “This is what you are to tell the Israelites: You have seen for yourselves that I have spoken to you from heaven."
},
{
"verseNum": 23,
"text": "You are not to make any gods alongside Me; you are not to make for yourselves gods of silver or gold."
},
{
"verseNum": 24,
"text": "You are to make for Me an altar of earth, and sacrifice on it your burnt offerings and peace offerings, your sheep and goats and cattle. In every place where I cause My name to be remembered, I will come to you and bless you."
},
{
"verseNum": 25,
"text": "Now if you make an altar of stones for Me, you must not build it with stones shaped by tools; for if you use a chisel on it, you will defile it."
},
{
"verseNum": 26,
"text": "And you must not go up to My altar on steps, lest your nakedness be exposed on it."
}
]
}

View File

@@ -0,0 +1,149 @@
{
"chapterNum": 21,
"verses": [
{
"verseNum": 1,
"text": "“These are the ordinances that you are to set before them:"
},
{
"verseNum": 2,
"text": "If you buy a Hebrew servant, he is to serve you for six years. But in the seventh year, he shall go free without paying anything."
},
{
"verseNum": 3,
"text": "If he arrived alone, he is to leave alone; if he arrived with a wife, she is to leave with him."
},
{
"verseNum": 4,
"text": "If his master gives him a wife and she bears him sons or daughters, the woman and her children shall belong to her master, and only the man shall go free."
},
{
"verseNum": 5,
"text": "But if the servant declares, I love my master and my wife and children; I do not want to go free,"
},
{
"verseNum": 6,
"text": "then his master is to bring him before the judges. And he shall take him to the door or doorpost and pierce his ear with an awl. Then he shall serve his master for life."
},
{
"verseNum": 7,
"text": "And if a man sells his daughter as a servant, she is not to go free as the menservants do."
},
{
"verseNum": 8,
"text": "If she is displeasing in the eyes of her master who had designated her for himself, he must allow her to be redeemed. He has no right to sell her to foreigners, since he has broken faith with her."
},
{
"verseNum": 9,
"text": "And if he chooses her for his son, he must deal with her as with a daughter."
},
{
"verseNum": 10,
"text": "If he takes another wife, he must not reduce the food, clothing, or marital rights of his first wife."
},
{
"verseNum": 11,
"text": "If, however, he does not provide her with these three things, she is free to go without monetary payment."
},
{
"verseNum": 12,
"text": "Whoever strikes and kills a man must surely be put to death."
},
{
"verseNum": 13,
"text": "If, however, he did not lie in wait, but God allowed it to happen, then I will appoint for you a place where he may flee."
},
{
"verseNum": 14,
"text": "But if a man schemes and acts willfully against his neighbor to kill him, you must take him away from My altar to be put to death."
},
{
"verseNum": 15,
"text": "Whoever strikes his father or mother must surely be put to death."
},
{
"verseNum": 16,
"text": "Whoever kidnaps another man must be put to death, whether he sells him or the man is found in his possession."
},
{
"verseNum": 17,
"text": "Anyone who curses his father or mother must surely be put to death."
},
{
"verseNum": 18,
"text": "If men are quarreling and one strikes the other with a stone or a fist, and he does not die but is confined to bed,"
},
{
"verseNum": 19,
"text": "then the one who struck him shall go unpunished, as long as the other can get up and walk around outside with his staff. Nevertheless, he must compensate the man for his lost work and see that he is completely healed."
},
{
"verseNum": 20,
"text": "If a man strikes his manservant or maidservant with a rod, and the servant dies by his hand, he shall surely be punished."
},
{
"verseNum": 21,
"text": "However, if the servant gets up after a day or two, the owner shall not be punished, since the servant is his property."
},
{
"verseNum": 22,
"text": "If men who are fighting strike a pregnant woman and her child is born prematurely, but there is no further injury, he shall surely be fined as the womans husband demands and as the court allows."
},
{
"verseNum": 23,
"text": "But if a serious injury results, then you must require a life for a life—"
},
{
"verseNum": 24,
"text": "eye for eye, tooth for tooth, hand for hand, foot for foot,"
},
{
"verseNum": 25,
"text": "burn for burn, wound for wound, and stripe for stripe."
},
{
"verseNum": 26,
"text": "If a man strikes and blinds the eye of his manservant or maidservant, he must let the servant go free as compensation for the eye."
},
{
"verseNum": 27,
"text": "And if he knocks out the tooth of his manservant or maidservant, he must let the servant go free as compensation for the tooth."
},
{
"verseNum": 28,
"text": "If an ox gores a man or woman to death, the ox must surely be stoned, and its meat must not be eaten. But the owner of the ox shall not be held responsible."
},
{
"verseNum": 29,
"text": "But if the ox has a habit of goring, and its owner has been warned yet does not restrain it, and it kills a man or woman, then the ox must be stoned and its owner must also be put to death."
},
{
"verseNum": 30,
"text": "If payment is demanded of him instead, he may redeem his life by paying the full amount demanded of him."
},
{
"verseNum": 31,
"text": "If the ox gores a son or a daughter, it shall be done to him according to the same rule."
},
{
"verseNum": 32,
"text": "If the ox gores a manservant or maidservant, the owner must pay thirty shekels of silver to the master of that servant, and the ox must be stoned."
},
{
"verseNum": 33,
"text": "If a man opens or digs a pit and fails to cover it, and an ox or a donkey falls into it,"
},
{
"verseNum": 34,
"text": "the owner of the pit shall make restitution; he must pay its owner, and the dead animal will be his."
},
{
"verseNum": 35,
"text": "If a mans ox injures his neighbors ox and it dies, they must sell the live one and divide the proceeds; they also must divide the dead animal."
},
{
"verseNum": 36,
"text": "But if it was known that the ox had a habit of goring, yet its owner failed to restrain it, he shall pay full compensation, ox for ox, and the dead animal will be his."
}
]
}

View File

@@ -0,0 +1,129 @@
{
"chapterNum": 22,
"verses": [
{
"verseNum": 1,
"text": "“If a man steals an ox or a sheep and slaughters or sells it, he must repay five oxen for an ox and four sheep for a sheep."
},
{
"verseNum": 2,
"text": "If a thief is caught breaking in and is beaten to death, no one shall be guilty of bloodshed."
},
{
"verseNum": 3,
"text": "But if it happens after sunrise, there is guilt for his bloodshed.\n \nA thief must make full restitution; if he has nothing, he himself shall be sold for his theft."
},
{
"verseNum": 4,
"text": "If what was stolen is actually found alive in his possession—whether ox or donkey or sheep—he must pay back double."
},
{
"verseNum": 5,
"text": "If a man grazes his livestock in a field or vineyard and allows them to stray so that they graze in someone elses field, he must make restitution from the best of his own field or vineyard."
},
{
"verseNum": 6,
"text": "If a fire breaks out and spreads to thornbushes so that it consumes stacked or standing grain, or the whole field, the one who started the fire must make full restitution."
},
{
"verseNum": 7,
"text": "If a man gives his neighbor money or goods for safekeeping and they are stolen from the neighbors house, the thief, if caught, must pay back double."
},
{
"verseNum": 8,
"text": "If the thief is not found, the owner of the house must appear before the judges to determine whether he has taken his neighbors property."
},
{
"verseNum": 9,
"text": "In all cases of illegal possession of an ox, a donkey, a sheep, a garment, or any lost item that someone claims, This is mine, both parties shall bring their cases before the judges. The one whom the judges find guilty must pay back double to his neighbor."
},
{
"verseNum": 10,
"text": "If a man gives a donkey, an ox, a sheep, or any other animal to be cared for by his neighbor, but it dies or is injured or stolen while no one is watching,"
},
{
"verseNum": 11,
"text": "an oath before the LORD shall be made between the parties to determine whether or not the man has taken his neighbors property. The owner must accept the oath and require no restitution."
},
{
"verseNum": 12,
"text": "But if the animal was actually stolen from the neighbor, he must make restitution to the owner."
},
{
"verseNum": 13,
"text": "If the animal was torn to pieces, he shall bring it as evidence; he need not make restitution for the torn carcass."
},
{
"verseNum": 14,
"text": "If a man borrows an animal from his neighbor and it is injured or dies while its owner is not present, he must make full restitution."
},
{
"verseNum": 15,
"text": "If the owner was present, no restitution is required. If the animal was rented, the fee covers the loss."
},
{
"verseNum": 16,
"text": "If a man seduces a virgin who is not pledged in marriage and sleeps with her, he must pay the full dowry for her to be his wife."
},
{
"verseNum": 17,
"text": "If her father absolutely refuses to give her to him, the man still must pay an amount comparable to the bridal price of a virgin."
},
{
"verseNum": 18,
"text": "You must not allow a sorceress to live."
},
{
"verseNum": 19,
"text": "Whoever lies with an animal must surely be put to death."
},
{
"verseNum": 20,
"text": "If anyone sacrifices to any god other than the LORD alone, he must be set apart for destruction."
},
{
"verseNum": 21,
"text": "You must not exploit or oppress a foreign resident, for you yourselves were foreigners in the land of Egypt."
},
{
"verseNum": 22,
"text": "You must not mistreat any widow or orphan."
},
{
"verseNum": 23,
"text": "If you do mistreat them, and they cry out to Me in distress, I will surely hear their cry."
},
{
"verseNum": 24,
"text": "My anger will be kindled, and I will kill you with the sword; then your wives will become widows and your children will be fatherless."
},
{
"verseNum": 25,
"text": "If you lend money to one of My people among you who is poor, you must not act as a creditor to him; you are not to charge him interest."
},
{
"verseNum": 26,
"text": "If you take your neighbors cloak as collateral, return it to him by sunset,"
},
{
"verseNum": 27,
"text": "because his cloak is the only covering he has for his body. What else will he sleep in? And if he cries out to Me, I will hear, for I am compassionate."
},
{
"verseNum": 28,
"text": "You must not blaspheme God or curse the ruler of your people."
},
{
"verseNum": 29,
"text": "You must not hold back offerings from your granaries or vats. You are to give Me the firstborn of your sons."
},
{
"verseNum": 30,
"text": "You shall do likewise with your cattle and your sheep. Let them stay with their mothers for seven days, but on the eighth day you are to give them to Me."
},
{
"verseNum": 31,
"text": "You are to be My holy people. You must not eat the meat of a mauled animal found in the field; you are to throw it to the dogs."
}
]
}

View File

@@ -0,0 +1,137 @@
{
"chapterNum": 23,
"verses": [
{
"verseNum": 1,
"text": "“You shall not spread a false report. Do not join the wicked by being a malicious witness."
},
{
"verseNum": 2,
"text": "You shall not follow the crowd in wrongdoing. When you testify in a lawsuit, do not pervert justice by siding with the crowd."
},
{
"verseNum": 3,
"text": "And do not show favoritism to a poor man in his lawsuit."
},
{
"verseNum": 4,
"text": "If you encounter your enemys stray ox or donkey, you must return it to him."
},
{
"verseNum": 5,
"text": "If you see the donkey of one who hates you fallen under its load, do not leave it there; you must help him with it."
},
{
"verseNum": 6,
"text": "You shall not deny justice to the poor in their lawsuits."
},
{
"verseNum": 7,
"text": "Stay far away from a false accusation. Do not kill the innocent or the just, for I will not acquit the guilty."
},
{
"verseNum": 8,
"text": "Do not accept a bribe, for a bribe blinds those who see and twists the words of the righteous."
},
{
"verseNum": 9,
"text": "Do not oppress a foreign resident, since you yourselves know how it feels to be foreigners; for you were foreigners in the land of Egypt."
},
{
"verseNum": 10,
"text": "For six years you are to sow your land and gather its produce,"
},
{
"verseNum": 11,
"text": "but in the seventh year you must let it rest and lie fallow, so that the poor among your people may eat from the field and the wild animals may consume what they leave. Do the same with your vineyard and olive grove."
},
{
"verseNum": 12,
"text": "For six days you are to do your work, but on the seventh day you must cease, so that your ox and your donkey may rest and the son of your maidservant may be refreshed, as well as the foreign resident."
},
{
"verseNum": 13,
"text": "Pay close attention to everything I have said to you. You must not invoke the names of other gods; they must not be heard on your lips."
},
{
"verseNum": 14,
"text": "Three times a year you are to celebrate a feast to Me."
},
{
"verseNum": 15,
"text": "You are to keep the Feast of Unleavened Bread as I commanded you: At the appointed time in the month of Abib you are to eat unleavened bread for seven days, because that was the month you came out of Egypt. No one may appear before Me empty-handed."
},
{
"verseNum": 16,
"text": "You are also to keep the Feast of Harvest with the firstfruits of the produce from what you sow in the field.\n \nAnd keep the Feast of Ingathering at the end of the year, when you gather your produce from the field."
},
{
"verseNum": 17,
"text": "Three times a year all your males are to appear before the Lord GOD."
},
{
"verseNum": 18,
"text": "You must not offer the blood of My sacrifices with anything leavened, nor may the fat of My feast remain until morning."
},
{
"verseNum": 19,
"text": "Bring the best of the firstfruits of your soil to the house of the LORD your God.\n \nYou must not cook a young goat in its mothers milk."
},
{
"verseNum": 20,
"text": "Behold, I am sending an angel before you to protect you along the way and to bring you to the place I have prepared."
},
{
"verseNum": 21,
"text": "Pay attention to him and listen to his voice; do not defy him, for he will not forgive rebellion, since My Name is in him."
},
{
"verseNum": 22,
"text": "But if you will listen carefully to his voice and do everything I say, I will be an enemy to your enemies and a foe to your foes."
},
{
"verseNum": 23,
"text": "For My angel will go before you and bring you into the land of the Amorites, Hittites, Perizzites, Canaanites, Hivites, and Jebusites, and I will annihilate them."
},
{
"verseNum": 24,
"text": "You must not bow down to their gods or serve them or follow their practices. Instead, you are to demolish them and smash their sacred stones to pieces."
},
{
"verseNum": 25,
"text": "So you shall serve the LORD your God, and He will bless your bread and your water. And I will take away sickness from among you."
},
{
"verseNum": 26,
"text": "No woman in your land will miscarry or be barren; I will fulfill the number of your days."
},
{
"verseNum": 27,
"text": "I will send My terror ahead of you and throw into confusion every nation you encounter. I will make all your enemies turn and run."
},
{
"verseNum": 28,
"text": "I will send the hornet before you to drive the Hivites and Canaanites and Hittites out of your way."
},
{
"verseNum": 29,
"text": "I will not drive them out before you in a single year; otherwise the land would become desolate and wild animals would multiply against you."
},
{
"verseNum": 30,
"text": "Little by little I will drive them out ahead of you, until you become fruitful and possess the land."
},
{
"verseNum": 31,
"text": "And I will establish your borders from the Red Sea to the Sea of the Philistines, and from the desert to the Euphrates. For I will deliver the inhabitants into your hand, and you will drive them out before you."
},
{
"verseNum": 32,
"text": "You shall make no covenant with them or with their gods."
},
{
"verseNum": 33,
"text": "They must not remain in your land, lest they cause you to sin against Me. For if you serve their gods, it will surely be a snare to you.”"
}
]
}

View File

@@ -0,0 +1,77 @@
{
"chapterNum": 24,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses, “Come up to the LORD—you and Aaron, Nadab and Abihu, and seventy of Israels elders—and you are to worship at a distance."
},
{
"verseNum": 2,
"text": "Moses alone shall approach the LORD, but the others must not come near. And the people may not go up with him.”"
},
{
"verseNum": 3,
"text": "When Moses came and told the people all the words and ordinances of the LORD, they all responded with one voice: “All the words that the LORD has spoken, we will do.”"
},
{
"verseNum": 4,
"text": "And Moses wrote down all the words of the LORD.\n \nEarly the next morning he got up and built an altar at the base of the mountain, along with twelve pillars for the twelve tribes of Israel."
},
{
"verseNum": 5,
"text": "Then he sent out some young men of Israel, and they offered burnt offerings and sacrificed young bulls as peace offerings to the LORD."
},
{
"verseNum": 6,
"text": "Moses took half of the blood and put it in bowls, and the other half he sprinkled on the altar."
},
{
"verseNum": 7,
"text": "Then he took the Book of the Covenant and read it to the people, who replied, “All that the LORD has spoken we will do, and we will be obedient.”"
},
{
"verseNum": 8,
"text": "So Moses took the blood, sprinkled it on the people, and said, “This is the blood of the covenant that the LORD has made with you in accordance with all these words.”"
},
{
"verseNum": 9,
"text": "Then Moses went up with Aaron, Nadab and Abihu, and seventy of the elders of Israel,"
},
{
"verseNum": 10,
"text": "and they saw the God of Israel. Under His feet was a work like a pavement made of sapphire, as clear as the sky itself."
},
{
"verseNum": 11,
"text": "But God did not lay His hand on the nobles of Israel; they saw Him, and they ate and drank."
},
{
"verseNum": 12,
"text": "Then the LORD said to Moses, “Come up to Me on the mountain and stay here, so that I may give you the tablets of stone, with the law and commandments I have written for their instruction.”"
},
{
"verseNum": 13,
"text": "So Moses set out with Joshua his attendant and went up on the mountain of God."
},
{
"verseNum": 14,
"text": "And he said to the elders, “Wait here for us until we return to you. Aaron and Hur are here with you. Whoever has a dispute can go to them.”"
},
{
"verseNum": 15,
"text": "When Moses went up on the mountain, the cloud covered it,"
},
{
"verseNum": 16,
"text": "and the glory of the LORD settled on Mount Sinai. For six days the cloud covered it, and on the seventh day the LORD called to Moses from within the cloud."
},
{
"verseNum": 17,
"text": "And the sight of the glory of the LORD was like a consuming fire on the mountaintop in the eyes of the Israelites."
},
{
"verseNum": 18,
"text": "Moses entered the cloud as he went up on the mountain, and he remained on the mountain forty days and forty nights."
}
]
}

View File

@@ -0,0 +1,165 @@
{
"chapterNum": 25,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses,"
},
{
"verseNum": 2,
"text": "“Tell the Israelites to bring Me an offering. You are to receive My offering from every man whose heart compels him."
},
{
"verseNum": 3,
"text": "This is the offering you are to accept from them:\n \n gold, silver, and bronze;"
},
{
"verseNum": 4,
"text": "blue, purple, and scarlet yarn;\n \n fine linen and goat hair;"
},
{
"verseNum": 5,
"text": "ram skins dyed red and fine leather;\n \n acacia wood;"
},
{
"verseNum": 6,
"text": "olive oil for the light;\n \n spices for the anointing oil and for the fragrant incense;"
},
{
"verseNum": 7,
"text": "and onyx stones and gemstones to be mounted on the ephod and breastpiece."
},
{
"verseNum": 8,
"text": "And they are to make a sanctuary for Me, so that I may dwell among them."
},
{
"verseNum": 9,
"text": "You must make the tabernacle and design all its furnishings according to the pattern I show you."
},
{
"verseNum": 10,
"text": "And they are to construct an ark of acacia wood, two and a half cubits long, a cubit and a half wide, and a cubit and a half high."
},
{
"verseNum": 11,
"text": "Overlay it with pure gold both inside and out, and make a gold molding around it."
},
{
"verseNum": 12,
"text": "Cast four gold rings for it and fasten them to its four feet, two rings on one side and two on the other."
},
{
"verseNum": 13,
"text": "And make poles of acacia wood and overlay them with gold."
},
{
"verseNum": 14,
"text": "Insert the poles into the rings on the sides of the ark, in order to carry it."
},
{
"verseNum": 15,
"text": "The poles are to remain in the rings of the ark; they must not be removed."
},
{
"verseNum": 16,
"text": "And place inside the ark the Testimony, which I will give you."
},
{
"verseNum": 17,
"text": "And you are to construct a mercy seat of pure gold, two and a half cubits long and a cubit and a half wide."
},
{
"verseNum": 18,
"text": "Make two cherubim of hammered gold at the ends of the mercy seat,"
},
{
"verseNum": 19,
"text": "one cherub on one end and one on the other, all made from one piece of gold."
},
{
"verseNum": 20,
"text": "And the cherubim are to have wings that spread upward, overshadowing the mercy seat. The cherubim are to face each other, looking toward the mercy seat."
},
{
"verseNum": 21,
"text": "Set the mercy seat atop the ark, and put the Testimony that I will give you into the ark."
},
{
"verseNum": 22,
"text": "And I will meet with you there above the mercy seat, between the two cherubim that are over the ark of the Testimony; I will speak with you about all that I command you regarding the Israelites."
},
{
"verseNum": 23,
"text": "You are also to make a table of acacia wood two cubits long, a cubit wide, and a cubit and a half high."
},
{
"verseNum": 24,
"text": "Overlay it with pure gold and make a gold molding around it."
},
{
"verseNum": 25,
"text": "And make a rim around it a handbreadth wide and put a gold molding on the rim."
},
{
"verseNum": 26,
"text": "Make four gold rings for the table and fasten them to the four corners at its four legs."
},
{
"verseNum": 27,
"text": "The rings are to be close to the rim, to serve as holders for the poles used to carry the table."
},
{
"verseNum": 28,
"text": "Make the poles of acacia wood and overlay them with gold, so that the table may be carried with them."
},
{
"verseNum": 29,
"text": "You are also to make the plates and dishes, as well as the pitchers and bowls for pouring drink offerings. Make them out of pure gold."
},
{
"verseNum": 30,
"text": "And place the Bread of the Presence on the table before Me at all times."
},
{
"verseNum": 31,
"text": "Then you are to make a lampstand of pure, hammered gold. It shall be made of one piece, including its base and shaft, its cups, and its buds and petals."
},
{
"verseNum": 32,
"text": "Six branches are to extend from the sides of the lampstand—three on one side and three on the other."
},
{
"verseNum": 33,
"text": "There are to be three cups shaped like almond blossoms on the first branch, each with buds and petals, three on the next branch, and the same for all six branches that extend from the lampstand."
},
{
"verseNum": 34,
"text": "And on the lampstand there shall be four cups shaped like almond blossoms with buds and petals."
},
{
"verseNum": 35,
"text": "For the six branches that extend from the lampstand, a bud must be under the first pair of branches, a bud under the second pair, and a bud under the third pair."
},
{
"verseNum": 36,
"text": "The buds and branches are to be all of one piece with the lampstand, hammered out of pure gold."
},
{
"verseNum": 37,
"text": "Make seven lamps and set them up on the lampstand so that they illuminate the area in front of it."
},
{
"verseNum": 38,
"text": "The wick trimmers and their trays must be of pure gold."
},
{
"verseNum": 39,
"text": "The lampstand and all these utensils shall be made from a talent of pure gold."
},
{
"verseNum": 40,
"text": "See to it that you make everything according to the pattern shown you on the mountain."
}
]
}

View File

@@ -0,0 +1,153 @@
{
"chapterNum": 26,
"verses": [
{
"verseNum": 1,
"text": "“You are to construct the tabernacle itself with ten curtains of finely spun linen, each with blue, purple, and scarlet yarn, and cherubim skillfully worked into them."
},
{
"verseNum": 2,
"text": "Each curtain shall be twenty-eight cubits long and four cubits wide —all curtains the same size."
},
{
"verseNum": 3,
"text": "Five of the curtains are to be joined together, and the other five joined as well."
},
{
"verseNum": 4,
"text": "Make loops of blue material on the edge of the end curtain in the first set, and do the same for the end curtain in the second set."
},
{
"verseNum": 5,
"text": "Make fifty loops on one curtain and fifty loops on the end curtain of the second set, so that the loops line up opposite one another."
},
{
"verseNum": 6,
"text": "Make fifty gold clasps as well, and join the curtains together with the clasps, so that the tabernacle will be a unit."
},
{
"verseNum": 7,
"text": "You are to make curtains of goat hair for the tent over the tabernacle—eleven curtains in all."
},
{
"verseNum": 8,
"text": "Each of the eleven curtains is to be the same size—thirty cubits long and four cubits wide."
},
{
"verseNum": 9,
"text": "Join five of the curtains into one set and the other six into another. Then fold the sixth curtain over double at the front of the tent."
},
{
"verseNum": 10,
"text": "Make fifty loops along the edge of the end curtain in the first set, and fifty loops along the edge of the corresponding curtain in the second set."
},
{
"verseNum": 11,
"text": "Make fifty bronze clasps and put them through the loops to join the tent together as a unit."
},
{
"verseNum": 12,
"text": "As for the overlap that remains of the tent curtains, the half curtain that is left over shall hang down over the back of the tabernacle."
},
{
"verseNum": 13,
"text": "And the tent curtains will be a cubit longer on either side, and the excess will hang over the sides of the tabernacle to cover it."
},
{
"verseNum": 14,
"text": "Also make a covering for the tent out of ram skins dyed red, and over that a covering of fine leather."
},
{
"verseNum": 15,
"text": "You are to construct upright frames of acacia wood for the tabernacle."
},
{
"verseNum": 16,
"text": "Each frame is to be ten cubits long and a cubit and a half wide."
},
{
"verseNum": 17,
"text": "Two tenons must be connected to each other for each frame. Make all the frames of the tabernacle in this way."
},
{
"verseNum": 18,
"text": "Construct twenty frames for the south side of the tabernacle,"
},
{
"verseNum": 19,
"text": "with forty silver bases under the twenty frames—two bases for each frame, one under each tenon."
},
{
"verseNum": 20,
"text": "For the second side of the tabernacle, the north side, make twenty frames"
},
{
"verseNum": 21,
"text": "and forty silver bases—two bases under each frame."
},
{
"verseNum": 22,
"text": "Make six frames for the rear of the tabernacle, the west side,"
},
{
"verseNum": 23,
"text": "and two frames for the two back corners of the tabernacle,"
},
{
"verseNum": 24,
"text": "coupled together from bottom to top and fitted into a single ring. These will serve as the two corners."
},
{
"verseNum": 25,
"text": "So there are to be eight frames and sixteen silver bases—two under each frame."
},
{
"verseNum": 26,
"text": "You are also to make five crossbars of acacia wood for the frames on one side of the tabernacle,"
},
{
"verseNum": 27,
"text": "five for those on the other side, and five for those on the rear side of the tabernacle, to the west."
},
{
"verseNum": 28,
"text": "The central crossbar in the middle of the frames shall extend from one end to the other."
},
{
"verseNum": 29,
"text": "Overlay the frames with gold and make gold rings to hold the crossbars. Also overlay the crossbars with gold."
},
{
"verseNum": 30,
"text": "So you are to set up the tabernacle according to the pattern shown you on the mountain."
},
{
"verseNum": 31,
"text": "Make a veil of blue, purple, and scarlet yarn, and finely spun linen, with cherubim skillfully worked into it."
},
{
"verseNum": 32,
"text": "Hang it with gold hooks on four posts of acacia wood, overlaid with gold and standing on four silver bases."
},
{
"verseNum": 33,
"text": "And hang the veil from the clasps and place the ark of the Testimony behind the veil. So the veil will separate the Holy Place from the Most Holy Place."
},
{
"verseNum": 34,
"text": "Put the mercy seat on the ark of the Testimony in the Most Holy Place."
},
{
"verseNum": 35,
"text": "And place the table outside the veil on the north side of the tabernacle, and put the lampstand opposite the table, on the south side."
},
{
"verseNum": 36,
"text": "For the entrance to the tent, you are to make a curtain embroidered with blue, purple, and scarlet yarn, and finely spun linen."
},
{
"verseNum": 37,
"text": "Make five posts of acacia wood for the curtain, overlay them with gold hooks, and cast five bronze bases for them."
}
]
}

View File

@@ -0,0 +1,89 @@
{
"chapterNum": 27,
"verses": [
{
"verseNum": 1,
"text": "“You are to build an altar of acacia wood. The altar must be square, five cubits long, five cubits wide, and three cubits high."
},
{
"verseNum": 2,
"text": "Make a horn on each of its four corners, so that the horns are of one piece, and overlay it with bronze."
},
{
"verseNum": 3,
"text": "Make all its utensils of bronze—its pots for removing ashes, its shovels, its sprinkling bowls, its meat forks, and its firepans."
},
{
"verseNum": 4,
"text": "Construct for it a grate of bronze mesh, and make a bronze ring at each of the four corners of the mesh."
},
{
"verseNum": 5,
"text": "Set the grate beneath the ledge of the altar, so that the mesh comes halfway up the altar."
},
{
"verseNum": 6,
"text": "Additionally, make poles of acacia wood for the altar and overlay them with bronze."
},
{
"verseNum": 7,
"text": "The poles are to be inserted into the rings so that the poles are on two sides of the altar when it is carried."
},
{
"verseNum": 8,
"text": "Construct the altar with boards so that it is hollow. It is to be made just as you were shown on the mountain."
},
{
"verseNum": 9,
"text": "You are also to make a courtyard for the tabernacle. On the south side of the courtyard make curtains of finely spun linen, a hundred cubits long on one side,"
},
{
"verseNum": 10,
"text": "with twenty posts and twenty bronze bases, and silver hooks and bands on the posts."
},
{
"verseNum": 11,
"text": "Likewise there are to be curtains on the north side, a hundred cubits long, with twenty posts and twenty bronze bases, and with silver hooks and bands on the posts."
},
{
"verseNum": 12,
"text": "The curtains on the west side of the courtyard shall be fifty cubits wide, with ten posts and ten bases."
},
{
"verseNum": 13,
"text": "The east side of the courtyard, toward the sunrise, is to be fifty cubits wide."
},
{
"verseNum": 14,
"text": "Make the curtains on one side fifteen cubits long, with three posts and three bases,"
},
{
"verseNum": 15,
"text": "and the curtains on the other side fifteen cubits long, with three posts and three bases."
},
{
"verseNum": 16,
"text": "The gate of the courtyard shall be twenty cubits long, with a curtain embroidered with blue, purple, and scarlet yarn, and finely spun linen. It shall have four posts and four bases."
},
{
"verseNum": 17,
"text": "All the posts around the courtyard shall have silver bands, silver hooks, and bronze bases."
},
{
"verseNum": 18,
"text": "The entire courtyard shall be a hundred cubits long and fifty cubits wide, with curtains of finely spun linen five cubits high, and with bronze bases."
},
{
"verseNum": 19,
"text": "All the utensils of the tabernacle for every use, including all its tent pegs and the tent pegs of the courtyard, shall be made of bronze."
},
{
"verseNum": 20,
"text": "And you are to command the Israelites to bring you pure oil of pressed olives for the light, to keep the lamps burning continually."
},
{
"verseNum": 21,
"text": "In the Tent of Meeting, outside the veil that is in front of the Testimony, Aaron and his sons are to tend the lamps before the LORD from evening until morning. This is to be a permanent statute for the Israelites for the generations to come."
}
]
}

View File

@@ -0,0 +1,177 @@
{
"chapterNum": 28,
"verses": [
{
"verseNum": 1,
"text": "“Next, have your brother Aaron brought to you from among the Israelites, along with his sons Nadab, Abihu, Eleazar, and Ithamar, to serve Me as priests."
},
{
"verseNum": 2,
"text": "Make holy garments for your brother Aaron, to give him glory and splendor."
},
{
"verseNum": 3,
"text": "You are to instruct all the skilled craftsmen, whom I have filled with a spirit of wisdom, to make garments for Aarons consecration, so that he may serve Me as priest."
},
{
"verseNum": 4,
"text": "These are the garments that they shall make: a breastpiece, an ephod, a robe, a woven tunic, a turban, and a sash. They are to make these holy garments for your brother Aaron and his sons, so that they may serve Me as priests."
},
{
"verseNum": 5,
"text": "They shall use gold, along with blue, purple, and scarlet yarn, and fine linen."
},
{
"verseNum": 6,
"text": "They are to make the ephod of finely spun linen embroidered with gold, and with blue, purple, and scarlet yarn."
},
{
"verseNum": 7,
"text": "It shall have two shoulder pieces attached at two of its corners, so it can be fastened."
},
{
"verseNum": 8,
"text": "And the skillfully woven waistband of the ephod must be of one piece, of the same workmanship—with gold, with blue, purple, and scarlet yarn, and with finely spun linen."
},
{
"verseNum": 9,
"text": "Take two onyx stones and engrave on them the names of the sons of Israel:"
},
{
"verseNum": 10,
"text": "six of their names on one stone and the remaining six on the other, in the order of their birth."
},
{
"verseNum": 11,
"text": "Engrave the names of the sons of Israel on the two stones the way a gem cutter engraves a seal. Then mount the stones in gold filigree settings."
},
{
"verseNum": 12,
"text": "Fasten both stones on the shoulder pieces of the ephod as memorial stones for the sons of Israel. Aaron is to bear their names on his two shoulders as a memorial before the LORD."
},
{
"verseNum": 13,
"text": "Fashion gold filigree settings"
},
{
"verseNum": 14,
"text": "and two chains of pure gold, made of braided cord work; and attach these chains to the settings."
},
{
"verseNum": 15,
"text": "You are also to make a breastpiece of judgment with the same workmanship as the ephod. Construct it with gold, with blue, purple, and scarlet yarn, and with finely spun linen."
},
{
"verseNum": 16,
"text": "It must be square when folded over double, a span long and a span wide."
},
{
"verseNum": 17,
"text": "And mount on it a setting of gemstones, four rows of stones:\n \n In the first row there shall be a ruby, a topaz, and an emerald;"
},
{
"verseNum": 18,
"text": "in the second row a turquoise, a sapphire, and a diamond;"
},
{
"verseNum": 19,
"text": "in the third row a jacinth, an agate, and an amethyst;"
},
{
"verseNum": 20,
"text": "and in the fourth row a beryl, an onyx, and a jasper.\n \nMount these stones in gold filigree settings."
},
{
"verseNum": 21,
"text": "The twelve stones are to correspond to the names of the sons of Israel, each engraved like a seal with the name of one of the twelve tribes."
},
{
"verseNum": 22,
"text": "For the breastpiece, make braided chains like cords of pure gold."
},
{
"verseNum": 23,
"text": "You are also to make two gold rings and fasten them to the two corners of the breastpiece."
},
{
"verseNum": 24,
"text": "Then fasten the two gold chains to the two gold rings at the corners of the breastpiece,"
},
{
"verseNum": 25,
"text": "and fasten the other ends of the two chains to the two filigree settings, attaching them to the shoulder pieces of the ephod at the front."
},
{
"verseNum": 26,
"text": "Make two more gold rings and attach them to the other two corners of the breastpiece, on the inside edge next to the ephod."
},
{
"verseNum": 27,
"text": "Make two additional gold rings and attach them to the bottom of the two shoulder pieces of the ephod, on its front, near its seam just above its woven waistband."
},
{
"verseNum": 28,
"text": "The rings of the breastpiece shall be tied to the rings of the ephod with a cord of blue yarn, so that the breastpiece is above the waistband of the ephod and does not swing out from the ephod."
},
{
"verseNum": 29,
"text": "Whenever Aaron enters the Holy Place, he shall bear the names of the sons of Israel over his heart on the breastpiece of judgment, as a continual reminder before the LORD."
},
{
"verseNum": 30,
"text": "And place the Urim and Thummim in the breastpiece of judgment, so that they will also be over Aarons heart whenever he comes before the LORD. Aaron will continually carry the judgment of the sons of Israel over his heart before the LORD."
},
{
"verseNum": 31,
"text": "You are to make the robe of the ephod entirely of blue cloth,"
},
{
"verseNum": 32,
"text": "with an opening at its top in the center. Around the opening shall be a woven collar with an opening like that of a garment, so that it will not tear."
},
{
"verseNum": 33,
"text": "Make pomegranates of blue, purple, and scarlet yarn all the way around the lower hem, with gold bells between them,"
},
{
"verseNum": 34,
"text": "alternating the gold bells and pomegranates around the lower hem of the robe."
},
{
"verseNum": 35,
"text": "Aaron must wear the robe whenever he ministers, and its sound will be heard when he enters or exits the sanctuary before the LORD, so that he will not die."
},
{
"verseNum": 36,
"text": "You are to make a plate of pure gold and engrave on it as on a seal:\n \n HOLY TO THE LORD."
},
{
"verseNum": 37,
"text": "Fasten to it a blue cord to mount it on the turban; it shall be on the front of the turban."
},
{
"verseNum": 38,
"text": "And it will be worn on Aarons forehead, so that he may bear the iniquity of the holy things that the sons of Israel consecrate with regard to all their holy gifts. It shall always be on his forehead, so that they may be acceptable before the LORD."
},
{
"verseNum": 39,
"text": "You are to weave the tunic with fine linen, make the turban of fine linen, and fashion an embroidered sash."
},
{
"verseNum": 40,
"text": "Make tunics, sashes, and headbands for Aarons sons, to give them glory and splendor."
},
{
"verseNum": 41,
"text": "After you put these garments on your brother Aaron and his sons, anoint them, ordain them, and consecrate them so that they may serve Me as priests."
},
{
"verseNum": 42,
"text": "Make linen undergarments to cover their bare flesh, extending from waist to thigh."
},
{
"verseNum": 43,
"text": "Aaron and his sons must wear them whenever they enter the Tent of Meeting or approach the altar to minister in the Holy Place, so that they will not incur guilt and die. This is to be a permanent statute for Aaron and his descendants."
}
]
}

View File

@@ -0,0 +1,189 @@
{
"chapterNum": 29,
"verses": [
{
"verseNum": 1,
"text": "“Now this is what you are to do to consecrate Aaron and his sons to serve Me as priests: Take a young bull and two rams without blemish,"
},
{
"verseNum": 2,
"text": "along with unleavened bread, unleavened cakes mixed with oil, and unleavened wafers anointed with oil. Make them out of fine wheat flour,"
},
{
"verseNum": 3,
"text": "put them in a basket, and present them in the basket, along with the bull and the two rams."
},
{
"verseNum": 4,
"text": "Then present Aaron and his sons at the entrance to the Tent of Meeting and wash them with water."
},
{
"verseNum": 5,
"text": "Take the garments and clothe Aaron with the tunic, the robe of the ephod, the ephod itself, and the breastplate. Fasten the ephod on him with its woven waistband."
},
{
"verseNum": 6,
"text": "Put the turban on his head and attach the holy diadem to the turban."
},
{
"verseNum": 7,
"text": "Then take the anointing oil and anoint him by pouring it on his head."
},
{
"verseNum": 8,
"text": "Present his sons as well and clothe them with tunics."
},
{
"verseNum": 9,
"text": "Wrap the sashes around Aaron and his sons and tie headbands on them. The priesthood shall be theirs by a permanent statute. In this way you are to ordain Aaron and his sons."
},
{
"verseNum": 10,
"text": "You are to present the bull at the front of the Tent of Meeting, and Aaron and his sons are to lay their hands on its head."
},
{
"verseNum": 11,
"text": "And you shall slaughter the bull before the LORD at the entrance to the Tent of Meeting."
},
{
"verseNum": 12,
"text": "Take some of the blood of the bull and put it on the horns of the altar with your finger; then pour out the rest of the blood at the base of the altar."
},
{
"verseNum": 13,
"text": "Take all the fat that covers the entrails and the lobe of the liver, and both kidneys with the fat on them, and burn them on the altar."
},
{
"verseNum": 14,
"text": "But burn the flesh of the bull and its hide and dung outside the camp; it is a sin offering."
},
{
"verseNum": 15,
"text": "Take one of the rams, and Aaron and his sons shall lay their hands on its head."
},
{
"verseNum": 16,
"text": "You are to slaughter the ram, take its blood, and sprinkle it on all sides of the altar."
},
{
"verseNum": 17,
"text": "Cut the ram into pieces, wash the entrails and legs, and place them with its head and other pieces."
},
{
"verseNum": 18,
"text": "Then burn the entire ram on the altar; it is a burnt offering to the LORD, a pleasing aroma, an offering made by fire to the LORD."
},
{
"verseNum": 19,
"text": "Take the second ram, and Aaron and his sons are to lay their hands on its head."
},
{
"verseNum": 20,
"text": "Slaughter the ram, take some of its blood, and put it on the right earlobes of Aaron and his sons, on the thumbs of their right hands, and on the big toes of their right feet. Sprinkle the remaining blood on all sides of the altar."
},
{
"verseNum": 21,
"text": "And take some of the blood on the altar and some of the anointing oil and sprinkle it on Aaron and his garments, as well as on his sons and their garments. Then he and his garments will be consecrated, as well as his sons and their garments."
},
{
"verseNum": 22,
"text": "Take the fat from the ram, the fat tail, the fat covering the entrails, the lobe of the liver, both kidneys with the fat on them, and the right thigh (since this is a ram for ordination),"
},
{
"verseNum": 23,
"text": "along with one loaf of bread, one cake of bread made with oil, and one wafer from the basket of unleavened bread that is before the LORD."
},
{
"verseNum": 24,
"text": "Put all these in the hands of Aaron and his sons and wave them before the LORD as a wave offering."
},
{
"verseNum": 25,
"text": "Then take them from their hands and burn them on the altar atop the burnt offering as a pleasing aroma before the LORD; it is an offering made by fire to the LORD."
},
{
"verseNum": 26,
"text": "Take the breast of the ram of Aarons ordination and wave it before the LORD as a wave offering, and it will be your portion."
},
{
"verseNum": 27,
"text": "Consecrate for Aaron and his sons the breast of the wave offering that is waved and the thigh of the heave offering that is lifted up from the ram of ordination."
},
{
"verseNum": 28,
"text": "This will belong to Aaron and his sons as a regular portion from the Israelites, for it is the heave offering the Israelites will make to the LORD from their peace offerings."
},
{
"verseNum": 29,
"text": "The holy garments that belong to Aaron will belong to his sons after him, so they can be anointed and ordained in them."
},
{
"verseNum": 30,
"text": "The son who succeeds him as priest and enters the Tent of Meeting to minister in the Holy Place must wear them for seven days."
},
{
"verseNum": 31,
"text": "You are to take the ram of ordination and boil its flesh in a holy place."
},
{
"verseNum": 32,
"text": "At the entrance to the Tent of Meeting, Aaron and his sons are to eat the meat of the ram and the bread that is in the basket."
},
{
"verseNum": 33,
"text": "They must eat those things by which atonement was made for their ordination and consecration. But no outsider may eat them, because these things are sacred."
},
{
"verseNum": 34,
"text": "And if any of the meat of ordination or any bread is left until the morning, you are to burn up the remainder. It must not be eaten, because it is sacred."
},
{
"verseNum": 35,
"text": "This is what you are to do for Aaron and his sons based on all that I have commanded you, taking seven days to ordain them."
},
{
"verseNum": 36,
"text": "Sacrifice a bull as a sin offering each day for atonement. Purify the altar by making atonement for it, and anoint it to consecrate it."
},
{
"verseNum": 37,
"text": "For seven days you shall make atonement for the altar and consecrate it. Then the altar will become most holy; whatever touches the altar will be holy."
},
{
"verseNum": 38,
"text": "This is what you are to offer regularly on the altar, each day: two lambs that are a year old."
},
{
"verseNum": 39,
"text": "Offer one lamb in the morning and the other at twilight."
},
{
"verseNum": 40,
"text": "With the first lamb offer a tenth of an ephah of fine flour, mixed with a quarter hin of oil from pressed olives, and a drink offering of a quarter hin of wine."
},
{
"verseNum": 41,
"text": "And offer the second lamb at twilight with the same grain offering and drink offering as in the morning, as a pleasing aroma, an offering made by fire to the LORD."
},
{
"verseNum": 42,
"text": "For the generations to come, this burnt offering shall be made regularly at the entrance to the Tent of Meeting before the LORD, where I will meet you to speak with you."
},
{
"verseNum": 43,
"text": "I will also meet with the Israelites there, and that place will be consecrated by My glory."
},
{
"verseNum": 44,
"text": "So I will consecrate the Tent of Meeting and the altar, and I will consecrate Aaron and his sons to serve Me as priests."
},
{
"verseNum": 45,
"text": "Then I will dwell among the Israelites and be their God."
},
{
"verseNum": 46,
"text": "And they will know that I am the LORD their God, who brought them out of the land of Egypt so that I might dwell among them.\n \nI am the LORD their God."
}
]
}

View File

@@ -0,0 +1,93 @@
{
"chapterNum": 3,
"verses": [
{
"verseNum": 1,
"text": "Meanwhile, Moses was shepherding the flock of his father-in-law Jethro, the priest of Midian. He led the flock to the far side of the wilderness and came to Horeb, the mountain of God."
},
{
"verseNum": 2,
"text": "There the angel of the LORD appeared to him in a blazing fire from within a bush. Moses saw the bush ablaze with fire, but it was not consumed."
},
{
"verseNum": 3,
"text": "So Moses thought, “I must go over and see this marvelous sight. Why is the bush not burning up?”"
},
{
"verseNum": 4,
"text": "When the LORD saw that he had gone over to look, God called out to him from within the bush, “Moses, Moses!”\n \n“Here I am,” he answered."
},
{
"verseNum": 5,
"text": "“Do not come any closer,” God said. “Take off your sandals, for the place where you are standing is holy ground.”"
},
{
"verseNum": 6,
"text": "Then He said, “I am the God of your father, the God of Abraham, the God of Isaac, and the God of Jacob.”\n \nAt this, Moses hid his face, for he was afraid to look at God."
},
{
"verseNum": 7,
"text": "The LORD said, “I have indeed seen the affliction of My people in Egypt. I have heard them crying out because of their oppressors, and I am aware of their sufferings."
},
{
"verseNum": 8,
"text": "I have come down to rescue them from the hand of the Egyptians and to bring them up out of that land to a good and spacious land, a land flowing with milk and honey—the home of the Canaanites, Hittites, Amorites, Perizzites, Hivites, and Jebusites."
},
{
"verseNum": 9,
"text": "And now the cry of the Israelites has reached Me, and I have seen how severely the Egyptians are oppressing them."
},
{
"verseNum": 10,
"text": "Therefore, go! I am sending you to Pharaoh to bring My people the Israelites out of Egypt.”"
},
{
"verseNum": 11,
"text": "But Moses asked God, “Who am I, that I should go to Pharaoh and bring the Israelites out of Egypt?”"
},
{
"verseNum": 12,
"text": "“I will surely be with you,” God said, “and this will be the sign to you that I have sent you: When you have brought the people out of Egypt, all of you will worship God on this mountain.”"
},
{
"verseNum": 13,
"text": "Then Moses asked God, “Suppose I go to the Israelites and say to them, The God of your fathers has sent me to you, and they ask me, What is His name? What should I tell them?”"
},
{
"verseNum": 14,
"text": "God said to Moses, “I AM WHO I AM. This is what you are to say to the Israelites: I AM has sent me to you.’”"
},
{
"verseNum": 15,
"text": "God also told Moses, “Say to the Israelites, The LORD, the God of your fathers—the God of Abraham, the God of Isaac, and the God of Jacob—has sent me to you. This is My name forever, and this is how I am to be remembered in every generation."
},
{
"verseNum": 16,
"text": "Go, assemble the elders of Israel and say to them, The LORD, the God of your fathers—the God of Abraham, Isaac, and Jacob—has appeared to me and said: I have surely attended to you and have seen what has been done to you in Egypt."
},
{
"verseNum": 17,
"text": "And I have promised to bring you up out of your affliction in Egypt, into the land of the Canaanites, Hittites, Amorites, Perizzites, Hivites, and Jebusites—a land flowing with milk and honey."
},
{
"verseNum": 18,
"text": "The elders of Israel will listen to what you say, and you must go with them to the king of Egypt and tell him, The LORD, the God of the Hebrews, has met with us. Now please let us take a three-day journey into the wilderness, so that we may sacrifice to the LORD our God."
},
{
"verseNum": 19,
"text": "But I know that the king of Egypt will not allow you to go unless a mighty hand compels him."
},
{
"verseNum": 20,
"text": "So I will stretch out My hand and strike the Egyptians with all the wonders I will perform among them. And after that, he will release you."
},
{
"verseNum": 21,
"text": "And I will grant this people such favor in the sight of the Egyptians that when you leave, you will not go away empty-handed."
},
{
"verseNum": 22,
"text": "Every woman shall ask her neighbor and any woman staying in her house for silver and gold jewelry and clothing, and you will put them on your sons and daughters. So you will plunder the Egyptians.”"
}
]
}

View File

@@ -0,0 +1,157 @@
{
"chapterNum": 30,
"verses": [
{
"verseNum": 1,
"text": "“You are also to make an altar of acacia wood for the burning of incense."
},
{
"verseNum": 2,
"text": "It is to be square, a cubit long, a cubit wide, and two cubits high. Its horns must be of one piece."
},
{
"verseNum": 3,
"text": "Overlay with pure gold the top and all the sides and horns, and make a molding of gold around it."
},
{
"verseNum": 4,
"text": "And make two gold rings below the molding on opposite sides to hold the poles used to carry it."
},
{
"verseNum": 5,
"text": "Make the poles of acacia wood and overlay them with gold."
},
{
"verseNum": 6,
"text": "Place the altar in front of the veil that is before the ark of the Testimony —before the mercy seat that is over the Testimony—where I will meet with you."
},
{
"verseNum": 7,
"text": "And Aaron is to burn fragrant incense on it every morning when he tends the lamps."
},
{
"verseNum": 8,
"text": "When Aaron sets up the lamps at twilight, he must burn the incense perpetually before the LORD for the generations to come."
},
{
"verseNum": 9,
"text": "On this altar you must not offer unauthorized incense or a burnt offering or grain offering; nor are you to pour a drink offering on it."
},
{
"verseNum": 10,
"text": "Once a year Aaron shall make atonement on the horns of the altar. Throughout your generations he shall make atonement on it annually with the blood of the sin offering of atonement. The altar is most holy to the LORD.”"
},
{
"verseNum": 11,
"text": "Then the LORD said to Moses,"
},
{
"verseNum": 12,
"text": "“When you take a census of the Israelites to number them, each man must pay the LORD a ransom for his life when he is counted. Then no plague will come upon them when they are numbered."
},
{
"verseNum": 13,
"text": "Everyone who crosses over to those counted must pay a half shekel, according to the sanctuary shekel, which weighs twenty gerahs. This half shekel is an offering to the LORD."
},
{
"verseNum": 14,
"text": "Everyone twenty years of age or older who crosses over must give this offering to the LORD."
},
{
"verseNum": 15,
"text": "In making the offering to the LORD to atone for your lives, the rich shall not give more than a half shekel, nor shall the poor give less."
},
{
"verseNum": 16,
"text": "Take the atonement money from the Israelites and use it for the service of the Tent of Meeting. It will serve as a memorial for the Israelites before the LORD to make atonement for your lives.”"
},
{
"verseNum": 17,
"text": "And the LORD said to Moses,"
},
{
"verseNum": 18,
"text": "“You are to make a bronze basin with a bronze stand for washing. Set it between the Tent of Meeting and the altar, and put water in it,"
},
{
"verseNum": 19,
"text": "with which Aaron and his sons are to wash their hands and feet."
},
{
"verseNum": 20,
"text": "Whenever they enter the Tent of Meeting or approach the altar to minister by presenting an offering made by fire to the LORD, they must wash with water so that they will not die."
},
{
"verseNum": 21,
"text": "Thus they are to wash their hands and feet so that they will not die; this shall be a permanent statute for Aaron and his descendants for the generations to come.”"
},
{
"verseNum": 22,
"text": "Then the LORD said to Moses,"
},
{
"verseNum": 23,
"text": "“Take the finest spices: 500 shekels of liquid myrrh, half that amount (250 shekels) of fragrant cinnamon, 250 shekels of fragrant cane,"
},
{
"verseNum": 24,
"text": "500 shekels of cassia —all according to the sanctuary shekel—and a hin of olive oil."
},
{
"verseNum": 25,
"text": "Prepare from these a sacred anointing oil, a fragrant blend, the work of a perfumer; it will be a sacred anointing oil."
},
{
"verseNum": 26,
"text": "Use this oil to anoint the Tent of Meeting, the ark of the Testimony,"
},
{
"verseNum": 27,
"text": "the table and all its utensils, the lampstand and its utensils, the altar of incense,"
},
{
"verseNum": 28,
"text": "the altar of burnt offering and all its utensils, and the basin with its stand."
},
{
"verseNum": 29,
"text": "You are to consecrate them so that they will be most holy. Whatever touches them shall be holy."
},
{
"verseNum": 30,
"text": "Anoint Aaron and his sons and consecrate them to serve Me as priests."
},
{
"verseNum": 31,
"text": "And you are to tell the Israelites, This will be My sacred anointing oil for the generations to come."
},
{
"verseNum": 32,
"text": "It must not be used to anoint an ordinary man, and you must not make anything like it with the same formula. It is holy, and it must be holy to you."
},
{
"verseNum": 33,
"text": "Anyone who mixes perfume like it or puts it on an outsider shall be cut off from his people.’”"
},
{
"verseNum": 34,
"text": "The LORD also said to Moses, “Take fragrant spices—gum resin, onycha, galbanum, and pure frankincense—in equal measures,"
},
{
"verseNum": 35,
"text": "and make a fragrant blend of incense, the work of a perfumer, seasoned with salt, pure and holy."
},
{
"verseNum": 36,
"text": "Grind some of it into fine powder and place it in front of the Testimony in the Tent of Meeting, where I will meet with you. It shall be most holy to you."
},
{
"verseNum": 37,
"text": "You are never to use this formula to make incense for yourselves; you shall regard it as holy to the LORD."
},
{
"verseNum": 38,
"text": "Anyone who makes something like it to enjoy its fragrance shall be cut off from his people.”"
}
]
}

View File

@@ -0,0 +1,77 @@
{
"chapterNum": 31,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses,"
},
{
"verseNum": 2,
"text": "“See, I have called by name Bezalel son of Uri, the son of Hur, of the tribe of Judah."
},
{
"verseNum": 3,
"text": "And I have filled him with the Spirit of God, with skill, ability, and knowledge in all kinds of craftsmanship,"
},
{
"verseNum": 4,
"text": "to design artistic works in gold, silver, and bronze,"
},
{
"verseNum": 5,
"text": "to cut gemstones for settings, and to carve wood, so that he may be a master of every craft."
},
{
"verseNum": 6,
"text": "Moreover, I have selected Oholiab son of Ahisamach, of the tribe of Dan, as his assistant.\n \nI have also given skill to all the craftsmen, that they may fashion all that I have commanded you:"
},
{
"verseNum": 7,
"text": "the Tent of Meeting, the ark of the Testimony and the mercy seat upon it, and all the other furnishings of the tent—"
},
{
"verseNum": 8,
"text": "the table with its utensils, the pure gold lampstand with all its utensils, the altar of incense,"
},
{
"verseNum": 9,
"text": "the altar of burnt offering with all its utensils, and the basin with its stand—"
},
{
"verseNum": 10,
"text": "as well as the woven garments, both the holy garments for Aaron the priest and the garments for his sons to serve as priests,"
},
{
"verseNum": 11,
"text": "in addition to the anointing oil and fragrant incense for the Holy Place. They are to make them according to all that I have commanded you.”"
},
{
"verseNum": 12,
"text": "And the LORD said to Moses,"
},
{
"verseNum": 13,
"text": "“Tell the Israelites, Surely you must keep My Sabbaths, for this will be a sign between Me and you for the generations to come, so that you may know that I am the LORD who sanctifies you."
},
{
"verseNum": 14,
"text": "Keep the Sabbath, for it is holy to you. Anyone who profanes it must surely be put to death. Whoever does any work on that day must be cut off from among his people."
},
{
"verseNum": 15,
"text": "For six days work may be done, but the seventh day is a Sabbath of complete rest, holy to the LORD. Whoever does any work on the Sabbath day must surely be put to death."
},
{
"verseNum": 16,
"text": "The Israelites must keep the Sabbath, celebrating it as a permanent covenant for the generations to come."
},
{
"verseNum": 17,
"text": "It is a sign between Me and the Israelites forever; for in six days the LORD made the heavens and the earth, but on the seventh day He rested and was refreshed.’”"
},
{
"verseNum": 18,
"text": "When the LORD had finished speaking with Moses on Mount Sinai, He gave him the two tablets of the Testimony, tablets of stone inscribed by the finger of God."
}
]
}

View File

@@ -0,0 +1,145 @@
{
"chapterNum": 32,
"verses": [
{
"verseNum": 1,
"text": "Now when the people saw that Moses was delayed in coming down from the mountain, they gathered around Aaron and said, “Come, make us gods who will go before us. As for this Moses who brought us up out of the land of Egypt, we do not know what has happened to him!”"
},
{
"verseNum": 2,
"text": "So Aaron told them, “Take off the gold earrings that are on your wives and sons and daughters, and bring them to me.”"
},
{
"verseNum": 3,
"text": "Then all the people took off their gold earrings and brought them to Aaron."
},
{
"verseNum": 4,
"text": "He took the gold from their hands, and with an engraving tool he fashioned it into a molten calf. And they said, “These, O Israel, are your gods, who brought you up out of the land of Egypt!”"
},
{
"verseNum": 5,
"text": "When Aaron saw this, he built an altar before the calf and proclaimed: “Tomorrow shall be a feast to the LORD.”"
},
{
"verseNum": 6,
"text": "So the next day they arose, offered burnt offerings, and presented peace offerings. And the people sat down to eat and drink, and got up to indulge in revelry."
},
{
"verseNum": 7,
"text": "Then the LORD said to Moses, “Go down at once, for your people, whom you brought up out of the land of Egypt, have corrupted themselves."
},
{
"verseNum": 8,
"text": "How quickly they have turned aside from the way that I commanded them! They have made for themselves a molten calf and have bowed down to it. They have sacrificed to it and said, These, O Israel, are your gods, who brought you up out of the land of Egypt.’”"
},
{
"verseNum": 9,
"text": "The LORD also said to Moses, “I have seen this people, and they are indeed a stiff-necked people."
},
{
"verseNum": 10,
"text": "Now leave Me alone, so that My anger may burn against them and consume them. Then I will make you into a great nation.”"
},
{
"verseNum": 11,
"text": "But Moses sought the favor of the LORD his God, saying, “O LORD, why does Your anger burn against Your people, whom You brought out of the land of Egypt with great power and a mighty hand?"
},
{
"verseNum": 12,
"text": "Why should the Egyptians declare, He brought them out with evil intent, to kill them in the mountains and wipe them from the face of the earth? Turn from Your fierce anger and relent from doing harm to Your people."
},
{
"verseNum": 13,
"text": "Remember Your servants Abraham, Isaac, and Israel, to whom You swore by Your very self when You declared, I will make your descendants as numerous as the stars in the sky, and I will give your descendants all this land that I have promised, and it shall be their inheritance forever.’”"
},
{
"verseNum": 14,
"text": "So the LORD relented from the calamity He had threatened to bring on His people."
},
{
"verseNum": 15,
"text": "Then Moses turned and went down the mountain with the two tablets of the Testimony in his hands. They were inscribed on both sides, front and back."
},
{
"verseNum": 16,
"text": "The tablets were the work of God, and the writing was the writing of God, engraved on the tablets."
},
{
"verseNum": 17,
"text": "When Joshua heard the sound of the people shouting, he said to Moses, “The sound of war is in the camp.”"
},
{
"verseNum": 18,
"text": "But Moses replied:\n \n “It is neither the cry of victory nor the cry of defeat;\n I hear the sound of singing!”"
},
{
"verseNum": 19,
"text": "As Moses approached the camp and saw the calf and the dancing, he burned with anger and threw the tablets out of his hands, shattering them at the base of the mountain."
},
{
"verseNum": 20,
"text": "Then he took the calf they had made, burned it in the fire, ground it to powder, and scattered the powder over the face of the water. Then he forced the Israelites to drink it."
},
{
"verseNum": 21,
"text": "“What did this people do to you,” Moses asked Aaron, “that you have led them into so great a sin?”"
},
{
"verseNum": 22,
"text": "“Do not be enraged, my lord,” Aaron replied. “You yourself know that the people are intent on evil."
},
{
"verseNum": 23,
"text": "They told me, Make us gods who will go before us. As for this Moses who brought us up out of the land of Egypt, we do not know what has happened to him!"
},
{
"verseNum": 24,
"text": "So I said to them, Whoever has gold, let him take it off, and they gave it to me. And when I threw it into the fire, out came this calf!”"
},
{
"verseNum": 25,
"text": "Moses saw that the people were out of control, for Aaron had let them run wild and become a laughingstock to their enemies."
},
{
"verseNum": 26,
"text": "So Moses stood at the entrance to the camp and said, “Whoever is for the LORD, come to me.”\n \nAnd all the Levites gathered around him."
},
{
"verseNum": 27,
"text": "He told them, “This is what the LORD, the God of Israel, says: Each of you men is to fasten his sword to his side, go back and forth through the camp from gate to gate, and slay his brother, his friend, and his neighbor.’”"
},
{
"verseNum": 28,
"text": "The Levites did as Moses commanded, and that day about three thousand of the people fell dead."
},
{
"verseNum": 29,
"text": "Afterward, Moses said, “Today you have been ordained for service to the LORD, since each man went against his son and his brother; so the LORD has bestowed a blessing on you this day.”"
},
{
"verseNum": 30,
"text": "The next day Moses said to the people, “You have committed a great sin. Now I will go up to the LORD; perhaps I can make atonement for your sin.”"
},
{
"verseNum": 31,
"text": "So Moses returned to the LORD and said, “Oh, what a great sin these people have committed! They have made gods of gold for themselves."
},
{
"verseNum": 32,
"text": "Yet now, if You would only forgive their sin.... But if not, please blot me out of the book that You have written.”"
},
{
"verseNum": 33,
"text": "The LORD replied to Moses, “Whoever has sinned against Me, I will blot out of My book."
},
{
"verseNum": 34,
"text": "Now go, lead the people to the place I described. Behold, My angel shall go before you. But on the day I settle accounts, I will punish them for their sin.”"
},
{
"verseNum": 35,
"text": "And the LORD sent a plague on the people because of what they had done with the calf that Aaron had made."
}
]
}

View File

@@ -0,0 +1,97 @@
{
"chapterNum": 33,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses, “Leave this place, you and the people you brought up out of the land of Egypt, and go to the land that I promised to Abraham, Isaac, and Jacob when I said, I will give it to your descendants."
},
{
"verseNum": 2,
"text": "And I will send an angel before you, and I will drive out the Canaanites, Amorites, Hittites, Perizzites, Hivites, and Jebusites."
},
{
"verseNum": 3,
"text": "Go up to a land flowing with milk and honey. But I will not go with you, because you are a stiff-necked people; otherwise, I might destroy you on the way.”"
},
{
"verseNum": 4,
"text": "When the people heard these bad tidings, they went into mourning, and no one put on any of his jewelry."
},
{
"verseNum": 5,
"text": "For the LORD had said to Moses, “Tell the Israelites, You are a stiff-necked people. If I should go with you for a single moment, I would destroy you. Now take off your jewelry, and I will decide what to do with you.’”"
},
{
"verseNum": 6,
"text": "So the Israelites stripped themselves of their jewelry from Mount Horeb onward."
},
{
"verseNum": 7,
"text": "Now Moses used to take the tent and pitch it at a distance outside the camp. He called it the Tent of Meeting, and anyone inquiring of the LORD would go to the Tent of Meeting outside the camp."
},
{
"verseNum": 8,
"text": "Then, whenever Moses went out to the tent, all the people would stand at the entrances to their own tents and watch Moses until he entered the tent."
},
{
"verseNum": 9,
"text": "As Moses entered the tent, the pillar of cloud would come down and remain at the entrance, and the LORD would speak with Moses."
},
{
"verseNum": 10,
"text": "When all the people saw the pillar of cloud standing at the entrance to the tent, they would stand up and worship, each one at the entrance to his own tent."
},
{
"verseNum": 11,
"text": "Thus the LORD would speak to Moses face to face, as a man speaks to his friend. Then Moses would return to the camp, but his young assistant Joshua son of Nun would not leave the tent."
},
{
"verseNum": 12,
"text": "Then Moses said to the LORD, “Look, You have been telling me, Lead this people up, but You have not let me know whom You will send with me. Yet You have said, I know you by name, and you have found favor in My sight."
},
{
"verseNum": 13,
"text": "Now if indeed I have found favor in Your sight, please let me know Your ways, that I may know You and find favor in Your sight. Remember that this nation is Your people.”"
},
{
"verseNum": 14,
"text": "And the LORD answered, “My Presence will go with you, and I will give you rest.”"
},
{
"verseNum": 15,
"text": "“If Your Presence does not go with us,” Moses replied, “do not lead us up from here."
},
{
"verseNum": 16,
"text": "For how then can it be known that Your people and I have found favor in Your sight, unless You go with us? How else will we be distinguished from all the other people on the face of the earth?”"
},
{
"verseNum": 17,
"text": "So the LORD said to Moses, “I will do this very thing you have asked, for you have found favor in My sight, and I know you by name.”"
},
{
"verseNum": 18,
"text": "Then Moses said, “Please show me Your glory.”"
},
{
"verseNum": 19,
"text": "“I will cause all My goodness to pass before you,” the LORD replied, “and I will proclaim My name—the LORD—in your presence. I will have mercy on whom I have mercy, and I will have compassion on whom I have compassion.”"
},
{
"verseNum": 20,
"text": "But He added, “You cannot see My face, for no one can see Me and live.”"
},
{
"verseNum": 21,
"text": "The LORD continued, “There is a place near Me where you are to stand upon a rock,"
},
{
"verseNum": 22,
"text": "and when My glory passes by, I will put you in a cleft of the rock and cover you with My hand until I have passed by."
},
{
"verseNum": 23,
"text": "Then I will take My hand away, and you will see My back; but My face must not be seen.”"
}
]
}

View File

@@ -0,0 +1,145 @@
{
"chapterNum": 34,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses, “Chisel out two stone tablets like the originals, and I will write on them the words that were on the first tablets, which you broke."
},
{
"verseNum": 2,
"text": "Be ready in the morning, and come up on Mount Sinai to present yourself before Me on the mountaintop."
},
{
"verseNum": 3,
"text": "No one may go up with you; in fact, no one may be seen anywhere on the mountain—not even the flocks or herds may graze in front of the mountain.”"
},
{
"verseNum": 4,
"text": "So Moses chiseled out two stone tablets like the originals. He rose early in the morning, and taking the two stone tablets in his hands, he went up Mount Sinai as the LORD had commanded him."
},
{
"verseNum": 5,
"text": "And the LORD descended in a cloud, stood with him there, and proclaimed His name, the LORD."
},
{
"verseNum": 6,
"text": "Then the LORD passed in front of Moses and called out:\n “The LORD, the LORD God,\n is compassionate and gracious,\n slow to anger,\n abounding in loving devotion and faithfulness,"
},
{
"verseNum": 7,
"text": "maintaining loving devotion to a thousand generations,\n forgiving iniquity, transgression, and sin.\n Yet He will by no means leave the guilty unpunished;\n He will visit the iniquity of the fathers\n on their children and grandchildren\n to the third and fourth generations.”"
},
{
"verseNum": 8,
"text": "Moses immediately bowed down to the ground and worshiped."
},
{
"verseNum": 9,
"text": "“O Lord,” he said, “if I have indeed found favor in Your sight, my Lord, please go with us. Although this is a stiff-necked people, forgive our iniquity and sin, and take us as Your inheritance.”"
},
{
"verseNum": 10,
"text": "And the LORD said, “Behold, I am making a covenant. Before all your people I will perform wonders that have never been done in any nation in all the world. All the people among whom you live will see the LORDs work, for it is an awesome thing that I am doing with you."
},
{
"verseNum": 11,
"text": "Observe what I command you this day. I will drive out before you the Amorites, Canaanites, Hittites, Perizzites, Hivites, and Jebusites."
},
{
"verseNum": 12,
"text": "Be careful not to make a treaty with the inhabitants of the land you are entering, lest they become a snare in your midst."
},
{
"verseNum": 13,
"text": "Rather, you must tear down their altars, smash their sacred stones, and chop down their Asherah poles."
},
{
"verseNum": 14,
"text": "For you must not worship any other god, for the LORD, whose name is Jealous, is a jealous God."
},
{
"verseNum": 15,
"text": "Do not make a covenant with the inhabitants of the land, for when they prostitute themselves to their gods and sacrifice to them, they will invite you, and you will eat their sacrifices."
},
{
"verseNum": 16,
"text": "And when you take some of their daughters as brides for your sons, their daughters will prostitute themselves to their gods and cause your sons to do the same."
},
{
"verseNum": 17,
"text": "You shall make no molten gods for yourselves."
},
{
"verseNum": 18,
"text": "You are to keep the Feast of Unleavened Bread. For seven days at the appointed time in the month of Abib, you are to eat unleavened bread as I commanded you. For in the month of Abib you came out of Egypt."
},
{
"verseNum": 19,
"text": "The first offspring of every womb belongs to Me, including all the firstborn males among your livestock, whether cattle or sheep."
},
{
"verseNum": 20,
"text": "You must redeem the firstborn of a donkey with a lamb; but if you do not redeem it, you are to break its neck. You must redeem all the firstborn of your sons. No one shall appear before Me empty-handed."
},
{
"verseNum": 21,
"text": "Six days you shall labor, but on the seventh day you shall rest; even in the seasons of plowing and harvesting, you must rest."
},
{
"verseNum": 22,
"text": "And you are to celebrate the Feast of Weeks with the firstfruits of the wheat harvest, and the Feast of Ingathering at the turn of the year."
},
{
"verseNum": 23,
"text": "Three times a year all your males are to appear before the Lord GOD, the God of Israel."
},
{
"verseNum": 24,
"text": "For I will drive out the nations before you and enlarge your borders, and no one will covet your land when you go up three times a year to appear before the LORD your God."
},
{
"verseNum": 25,
"text": "Do not offer the blood of a sacrifice to Me along with anything leavened, and do not let any of the sacrifice from the Passover Feast remain until morning."
},
{
"verseNum": 26,
"text": "Bring the best of the firstfruits of your soil to the house of the LORD your God.\n \nYou must not cook a young goat in its mothers milk.”"
},
{
"verseNum": 27,
"text": "The LORD also said to Moses, “Write down these words, for in accordance with these words I have made a covenant with you and with Israel.”"
},
{
"verseNum": 28,
"text": "So Moses was there with the LORD forty days and forty nights without eating bread or drinking water. He wrote on the tablets the words of the covenant—the Ten Commandments."
},
{
"verseNum": 29,
"text": "And when Moses came down from Mount Sinai with the two tablets of the Testimony in his hands, he was unaware that his face had become radiant from speaking with the LORD."
},
{
"verseNum": 30,
"text": "Aaron and all the Israelites looked at Moses, and behold, his face was radiant. And they were afraid to approach him."
},
{
"verseNum": 31,
"text": "But Moses called out to them; so Aaron and all the leaders of the congregation returned to him, and Moses spoke to them."
},
{
"verseNum": 32,
"text": "And after this all the Israelites came near, and Moses commanded them to do everything that the LORD had told him on Mount Sinai."
},
{
"verseNum": 33,
"text": "When Moses had finished speaking with them, he put a veil over his face."
},
{
"verseNum": 34,
"text": "But whenever Moses went in before the LORD to speak with Him, he would remove the veil until he came out. And when he came out, he would tell the Israelites what he had been commanded,"
},
{
"verseNum": 35,
"text": "and the Israelites would see that the face of Moses was radiant. So Moses would put the veil back over his face until he went in to speak with the LORD."
}
]
}

View File

@@ -0,0 +1,145 @@
{
"chapterNum": 35,
"verses": [
{
"verseNum": 1,
"text": "Then Moses assembled the whole congregation of Israel and said to them, “These are the things that the LORD has commanded you to do:"
},
{
"verseNum": 2,
"text": "For six days work may be done, but the seventh day shall be your holy day, a Sabbath of complete rest to the LORD. Whoever does any work on that day must be put to death."
},
{
"verseNum": 3,
"text": "Do not light a fire in any of your dwellings on the Sabbath day.”"
},
{
"verseNum": 4,
"text": "Moses also told the whole congregation of Israel, “This is what the LORD has commanded:"
},
{
"verseNum": 5,
"text": "Take from among you an offering to the LORD. Let everyone whose heart is willing bring an offering to the LORD:\n \n gold, silver, and bronze;"
},
{
"verseNum": 6,
"text": "blue, purple, and scarlet yarn;\n \n fine linen and goat hair;"
},
{
"verseNum": 7,
"text": "ram skins dyed red and fine leather;\n \n acacia wood;"
},
{
"verseNum": 8,
"text": "olive oil for the light;\n \n spices for the anointing oil and for the fragrant incense;"
},
{
"verseNum": 9,
"text": "and onyx stones and gemstones to be mounted on the ephod and breastpiece."
},
{
"verseNum": 10,
"text": "Let every skilled craftsman among you come and make everything that the LORD has commanded:"
},
{
"verseNum": 11,
"text": "the tabernacle with its tent and covering, its clasps and frames, its crossbars, posts, and bases;"
},
{
"verseNum": 12,
"text": "the ark with its poles and mercy seat, and the veil to shield it;"
},
{
"verseNum": 13,
"text": "the table with its poles, all its utensils, and the Bread of the Presence;"
},
{
"verseNum": 14,
"text": "the lampstand for light with its accessories and lamps and oil for the light;"
},
{
"verseNum": 15,
"text": "the altar of incense with its poles;\n \n the anointing oil and fragrant incense;\n \n the curtain for the doorway at the entrance to the tabernacle;"
},
{
"verseNum": 16,
"text": "the altar of burnt offering with its bronze grate, its poles, and all its utensils;\n \n the basin with its stand;"
},
{
"verseNum": 17,
"text": "the curtains of the courtyard with its posts and bases, and the curtain for the gate of the courtyard;"
},
{
"verseNum": 18,
"text": "the tent pegs for the tabernacle and for the courtyard, along with their ropes;"
},
{
"verseNum": 19,
"text": "and the woven garments for ministering in the holy place—both the holy garments for Aaron the priest and the garments for his sons to serve as priests.”"
},
{
"verseNum": 20,
"text": "Then the whole congregation of Israel withdrew from the presence of Moses."
},
{
"verseNum": 21,
"text": "And everyone whose heart stirred him and whose spirit prompted him came and brought an offering to the LORD for the work on the Tent of Meeting, for all its services, and for the holy garments."
},
{
"verseNum": 22,
"text": "So all who had willing hearts, both men and women, came and brought brooches and earrings, rings and necklaces, and all kinds of gold jewelry. And they all presented their gold as a wave offering to the LORD."
},
{
"verseNum": 23,
"text": "Everyone who had blue, purple, or scarlet yarn, or fine linen, goat hair, ram skins dyed red, or articles of fine leather, brought them."
},
{
"verseNum": 24,
"text": "And all who could present an offering of silver or bronze brought it as a contribution to the LORD. Also, everyone who had acacia wood for any part of the service brought it."
},
{
"verseNum": 25,
"text": "Every skilled woman spun with her hands and brought what she had spun: blue, purple, or scarlet yarn, or fine linen."
},
{
"verseNum": 26,
"text": "And all the skilled women whose hearts were stirred spun the goat hair."
},
{
"verseNum": 27,
"text": "The leaders brought onyx stones and gemstones to mount on the ephod and breastpiece,"
},
{
"verseNum": 28,
"text": "as well as spices and olive oil for the light, for the anointing oil, and for the fragrant incense."
},
{
"verseNum": 29,
"text": "So all the men and women of the Israelites whose hearts prompted them brought a freewill offering to the LORD for all the work that the LORD through Moses had commanded them to do."
},
{
"verseNum": 30,
"text": "Then Moses said to the Israelites, “See, the LORD has called by name Bezalel son of Uri, the son of Hur, of the tribe of Judah."
},
{
"verseNum": 31,
"text": "And He has filled him with the Spirit of God, with skill, ability, and knowledge in all kinds of craftsmanship,"
},
{
"verseNum": 32,
"text": "to design artistic works in gold, silver, and bronze,"
},
{
"verseNum": 33,
"text": "to cut gemstones for settings, and to carve wood, so that he may be a master of every artistic craft."
},
{
"verseNum": 34,
"text": "And the LORD has given both him and Oholiab son of Ahisamach, of the tribe of Dan, the ability to teach others."
},
{
"verseNum": 35,
"text": "He has filled them with skill to do all kinds of work as engravers, designers, embroiderers in blue, purple, and scarlet yarn and fine linen, and as weavers—as artistic designers of every kind of craft."
}
]
}

View File

@@ -0,0 +1,157 @@
{
"chapterNum": 36,
"verses": [
{
"verseNum": 1,
"text": "“So Bezalel, Oholiab, and every skilled person are to carry out everything commanded by the LORD, who has given them skill and ability to know how to perform all the work of constructing the sanctuary.”"
},
{
"verseNum": 2,
"text": "Then Moses summoned Bezalel, Oholiab, and every skilled person whom the LORD had gifted—everyone whose heart stirred him to come and do the work."
},
{
"verseNum": 3,
"text": "They received from Moses all the contributions that the Israelites had brought to carry out the service of constructing the sanctuary.\n \nMeanwhile, the people continued to bring freewill offerings morning after morning,"
},
{
"verseNum": 4,
"text": "so that all the skilled craftsmen who were doing all the work on the sanctuary left their work"
},
{
"verseNum": 5,
"text": "and said to Moses, “The people are bringing more than enough for doing the work the LORD has commanded us to do.”"
},
{
"verseNum": 6,
"text": "After Moses had given an order, they sent a proclamation throughout the camp: “No man or woman should make anything else as an offering for the sanctuary.” So the people were restrained from bringing more,"
},
{
"verseNum": 7,
"text": "since what they already had was more than enough to perform all the work."
},
{
"verseNum": 8,
"text": "All the skilled craftsmen among the workmen made the ten curtains for the tabernacle. They were made of finely spun linen, as well as blue, purple, and scarlet yarn, with cherubim skillfully worked into them."
},
{
"verseNum": 9,
"text": "Each curtain was twenty-eight cubits long and four cubits wide; all the curtains were the same size."
},
{
"verseNum": 10,
"text": "And he joined five of the curtains together, and the other five he joined as well."
},
{
"verseNum": 11,
"text": "He made loops of blue material on the edge of the end curtain in the first set, and also on the end curtain in the second set."
},
{
"verseNum": 12,
"text": "He made fifty loops on one curtain and fifty loops on the end curtain of the second set, so that the loops lined up opposite one another."
},
{
"verseNum": 13,
"text": "He also made fifty gold clasps to join the curtains together, so that the tabernacle was a unit."
},
{
"verseNum": 14,
"text": "He then made curtains of goat hair for the tent over the tabernacle—eleven curtains in all."
},
{
"verseNum": 15,
"text": "Each of the eleven curtains was the same size—thirty cubits long and four cubits wide."
},
{
"verseNum": 16,
"text": "He joined five of the curtains into one set and the other six into another."
},
{
"verseNum": 17,
"text": "He made fifty loops along the edge of the end curtain in the first set, and fifty loops along the edge of the corresponding curtain in the second set."
},
{
"verseNum": 18,
"text": "He also made fifty bronze clasps to join the tent together as a unit."
},
{
"verseNum": 19,
"text": "Additionally, he made for the tent a covering of ram skins dyed red, and over that a covering of fine leather."
},
{
"verseNum": 20,
"text": "Next, he constructed upright frames of acacia wood for the tabernacle."
},
{
"verseNum": 21,
"text": "Each frame was ten cubits long and a cubit and a half wide."
},
{
"verseNum": 22,
"text": "Two tenons were connected to each other for each frame. He made all the frames of the tabernacle in this way."
},
{
"verseNum": 23,
"text": "He constructed twenty frames for the south side of the tabernacle,"
},
{
"verseNum": 24,
"text": "with forty silver bases to put under the twenty frames—two bases for each frame, one under each tenon."
},
{
"verseNum": 25,
"text": "For the second side of the tabernacle, the north side, he made twenty frames"
},
{
"verseNum": 26,
"text": "and forty silver bases—two bases under each frame."
},
{
"verseNum": 27,
"text": "He made six frames for the rear of the tabernacle, the west side,"
},
{
"verseNum": 28,
"text": "and two frames for the two back corners of the tabernacle,"
},
{
"verseNum": 29,
"text": "coupled together from bottom to top and fitted into a single ring. He made both corners in this way."
},
{
"verseNum": 30,
"text": "So there were eight frames and sixteen silver bases—two under each frame."
},
{
"verseNum": 31,
"text": "He also made five crossbars of acacia wood for the frames on one side of the tabernacle,"
},
{
"verseNum": 32,
"text": "five for those on the other side, and five for those on the rear side of the tabernacle, to the west."
},
{
"verseNum": 33,
"text": "He made the central crossbar to run through the center of the frames, from one end to the other."
},
{
"verseNum": 34,
"text": "And he overlaid the frames with gold and made gold rings to hold the crossbars. He also overlaid the crossbars with gold."
},
{
"verseNum": 35,
"text": "Next, he made the veil of blue, purple, and scarlet yarn, and finely spun linen, with cherubim skillfully worked into it."
},
{
"verseNum": 36,
"text": "He also made four posts of acacia wood for it and overlaid them with gold, along with gold hooks; and he cast four silver bases for the posts."
},
{
"verseNum": 37,
"text": "For the entrance to the tent, he made a curtain embroidered with blue, purple, and scarlet yarn, and finely spun linen,"
},
{
"verseNum": 38,
"text": "together with five posts and their hooks.\n \nHe overlaid the tops of the posts and their bands with gold, and their five bases were bronze."
}
]
}

View File

@@ -0,0 +1,121 @@
{
"chapterNum": 37,
"verses": [
{
"verseNum": 1,
"text": "Bezalel went on to construct the ark of acacia wood, two and a half cubits long, a cubit and a half wide, and a cubit and a half high."
},
{
"verseNum": 2,
"text": "He overlaid it with pure gold, both inside and out, and made a gold molding around it."
},
{
"verseNum": 3,
"text": "And he cast four gold rings for its four feet, two rings on one side and two on the other."
},
{
"verseNum": 4,
"text": "Then he made poles of acacia wood and overlaid them with gold."
},
{
"verseNum": 5,
"text": "He inserted the poles into the rings on the sides of the ark in order to carry it."
},
{
"verseNum": 6,
"text": "He constructed a mercy seat of pure gold, two and a half cubits long and a cubit and a half wide."
},
{
"verseNum": 7,
"text": "He made two cherubim of hammered gold at the ends of the mercy seat,"
},
{
"verseNum": 8,
"text": "one cherub on one end and one on the other, all made from one piece of gold."
},
{
"verseNum": 9,
"text": "And the cherubim had wings that spread upward, overshadowing the mercy seat. The cherubim faced each other, looking toward the mercy seat."
},
{
"verseNum": 10,
"text": "He also made the table of acacia wood two cubits long, a cubit wide, and a cubit and a half high."
},
{
"verseNum": 11,
"text": "He overlaid it with pure gold and made a gold molding around it."
},
{
"verseNum": 12,
"text": "And he made a rim around it a handbreadth wide and put a gold molding on the rim."
},
{
"verseNum": 13,
"text": "He cast four gold rings for the table and fastened them to the four corners at its four legs."
},
{
"verseNum": 14,
"text": "The rings were placed close to the rim, to serve as holders for the poles used to carry the table."
},
{
"verseNum": 15,
"text": "He made the poles of acacia wood for carrying the table and overlaid them with gold."
},
{
"verseNum": 16,
"text": "He also made the utensils for the table out of pure gold: its plates and dishes, as well as its bowls and pitchers for pouring drink offerings."
},
{
"verseNum": 17,
"text": "Then he made the lampstand out of pure hammered gold, all of one piece: its base and shaft, its cups, and its buds and petals."
},
{
"verseNum": 18,
"text": "Six branches extended from the sides, three on one side and three on the other."
},
{
"verseNum": 19,
"text": "There were three cups shaped like almond blossoms on the first branch, each with buds and petals, three on the next branch, and the same for all six branches that extended from the lampstand."
},
{
"verseNum": 20,
"text": "And on the lampstand were four cups shaped like almond blossoms with buds and petals."
},
{
"verseNum": 21,
"text": "A bud was under the first pair of branches that extended from the lampstand, a bud under the second pair, and a bud under the third pair."
},
{
"verseNum": 22,
"text": "The buds and branches were all of one piece with the lampstand, hammered out of pure gold."
},
{
"verseNum": 23,
"text": "He also made its seven lamps, its wick trimmers, and trays of pure gold."
},
{
"verseNum": 24,
"text": "He made the lampstand and all its utensils from a talent of pure gold."
},
{
"verseNum": 25,
"text": "He made the altar of incense out of acacia wood. It was square, a cubit long, a cubit wide, and two cubits high. Its horns were of one piece."
},
{
"verseNum": 26,
"text": "And he overlaid with pure gold the top and all the sides and horns. Then he made a molding of gold around it."
},
{
"verseNum": 27,
"text": "He made two gold rings below the molding on opposite sides to hold the poles used to carry it."
},
{
"verseNum": 28,
"text": "And he made the poles of acacia wood and overlaid them with gold."
},
{
"verseNum": 29,
"text": "He also made the sacred anointing oil and the pure, fragrant incense, the work of a perfumer."
}
]
}

View File

@@ -0,0 +1,129 @@
{
"chapterNum": 38,
"verses": [
{
"verseNum": 1,
"text": "Bezalel constructed the altar of burnt offering from acacia wood. It was square, five cubits long, five cubits wide, and three cubits high."
},
{
"verseNum": 2,
"text": "He made a horn at each of its four corners, so that the horns and altar were of one piece, and he overlaid the altar with bronze."
},
{
"verseNum": 3,
"text": "He made all the altars utensils of bronze—its pots, shovels, sprinkling bowls, meat forks, and firepans."
},
{
"verseNum": 4,
"text": "He made a grate of bronze mesh for the altar under its ledge, halfway up from the bottom."
},
{
"verseNum": 5,
"text": "At the four corners of the bronze grate he cast four rings as holders for the poles."
},
{
"verseNum": 6,
"text": "And he made the poles of acacia wood and overlaid them with bronze."
},
{
"verseNum": 7,
"text": "Then he inserted the poles into the rings on the sides of the altar for carrying it. He made the altar with boards so that it was hollow."
},
{
"verseNum": 8,
"text": "Next he made the bronze basin and its stand from the mirrors of the women who served at the entrance to the Tent of Meeting."
},
{
"verseNum": 9,
"text": "Then he constructed the courtyard. The south side of the courtyard was a hundred cubits long and had curtains of finely spun linen,"
},
{
"verseNum": 10,
"text": "with twenty posts and twenty bronze bases, and with silver hooks and bands on the posts."
},
{
"verseNum": 11,
"text": "The north side was also a hundred cubits long, with twenty posts and twenty bronze bases. The hooks and bands of the posts were silver."
},
{
"verseNum": 12,
"text": "The west side was fifty cubits long and had curtains, with ten posts and ten bases. The hooks and bands of the posts were silver."
},
{
"verseNum": 13,
"text": "And the east side, toward the sunrise, was also fifty cubits long."
},
{
"verseNum": 14,
"text": "The curtains on one side of the entrance were fifteen cubits long, with three posts and three bases."
},
{
"verseNum": 15,
"text": "And the curtains on the other side were also fifteen cubits long, with three posts and three bases as well."
},
{
"verseNum": 16,
"text": "All the curtains around the courtyard were made of finely spun linen."
},
{
"verseNum": 17,
"text": "The bases for the posts were bronze, the hooks and bands were silver, and the plating for the tops of the posts was silver. So all the posts of the courtyard were banded with silver."
},
{
"verseNum": 18,
"text": "The curtain for the entrance to the courtyard was embroidered with blue, purple, and scarlet yarn, and finely spun linen. It was twenty cubits long and, like the curtains of the courtyard, five cubits high,"
},
{
"verseNum": 19,
"text": "with four posts and four bronze bases. Their hooks were silver, as well as the bands and the plating of their tops."
},
{
"verseNum": 20,
"text": "All the tent pegs for the tabernacle and for the surrounding courtyard were bronze."
},
{
"verseNum": 21,
"text": "This is the inventory for the tabernacle, the tabernacle of the Testimony, as recorded at Moses command by the Levites under the direction of Ithamar son of Aaron the priest."
},
{
"verseNum": 22,
"text": "Bezalel son of Uri, the son of Hur, of the tribe of Judah, made everything that the LORD had commanded Moses."
},
{
"verseNum": 23,
"text": "With him was Oholiab son of Ahisamach, of the tribe of Dan, an engraver, designer, and embroiderer in blue, purple, and scarlet yarn and fine linen."
},
{
"verseNum": 24,
"text": "All the gold from the wave offering used for the work on the sanctuary totaled 29 talents and 730 shekels, according to the sanctuary shekel."
},
{
"verseNum": 25,
"text": "The silver from those numbered among the congregation totaled 100 talents and 1,775 shekels, according to the sanctuary shekel—"
},
{
"verseNum": 26,
"text": "a beka per person, that is, half a shekel, according to the sanctuary shekel, from everyone twenty years of age or older who had crossed over to be numbered, a total of 603,550 men."
},
{
"verseNum": 27,
"text": "The hundred talents of silver were used to cast the bases of the sanctuary and the bases of the veil—100 bases from the 100 talents, one talent per base."
},
{
"verseNum": 28,
"text": "With the 1,775 shekels of silver he made the hooks for the posts, overlaid their tops, and supplied bands for them."
},
{
"verseNum": 29,
"text": "The bronze from the wave offering totaled 70 talents and 2,400 shekels."
},
{
"verseNum": 30,
"text": "He used it to make the bases for the entrance to the Tent of Meeting, the bronze altar and its bronze grating, all the utensils for the altar,"
},
{
"verseNum": 31,
"text": "the bases for the surrounding courtyard and its gate, and all the tent pegs for the tabernacle and its surrounding courtyard."
}
]
}

View File

@@ -0,0 +1,177 @@
{
"chapterNum": 39,
"verses": [
{
"verseNum": 1,
"text": "From the blue, purple, and scarlet yarn they made specially woven garments for ministry in the sanctuary, as well as the holy garments for Aaron, just as the LORD had commanded Moses."
},
{
"verseNum": 2,
"text": "Bezalel made the ephod of finely spun linen embroidered with gold, and with blue, purple, and scarlet yarn."
},
{
"verseNum": 3,
"text": "They hammered out thin sheets of gold and cut threads from them to interweave with the blue, purple, and scarlet yarn, and fine linen—the work of a skilled craftsman."
},
{
"verseNum": 4,
"text": "They made shoulder pieces for the ephod, which were attached at two of its corners, so it could be fastened."
},
{
"verseNum": 5,
"text": "And the skillfully woven waistband of the ephod was of one piece with the ephod, of the same workmanship—with gold, with blue, purple, and scarlet yarn, and with finely spun linen, just as the LORD had commanded Moses."
},
{
"verseNum": 6,
"text": "They mounted the onyx stones in gold filigree settings, engraved like a seal with the names of the sons of Israel."
},
{
"verseNum": 7,
"text": "Then they fastened them on the shoulder pieces of the ephod as memorial stones for the sons of Israel, as the LORD had commanded Moses."
},
{
"verseNum": 8,
"text": "He made the breastpiece with the same workmanship as the ephod, with gold, with blue, purple, and scarlet yarn, and with finely spun linen."
},
{
"verseNum": 9,
"text": "It was square when folded over double, a span long and a span wide."
},
{
"verseNum": 10,
"text": "And they mounted on it four rows of gemstones:\n \n The first row had a ruby, a topaz, and an emerald;"
},
{
"verseNum": 11,
"text": "the second row had a turquoise, a sapphire, and a diamond;"
},
{
"verseNum": 12,
"text": "the third row had a jacinth, an agate, and an amethyst;"
},
{
"verseNum": 13,
"text": "and the fourth row had a beryl, an onyx, and a jasper.\n \nThese stones were mounted in gold filigree settings."
},
{
"verseNum": 14,
"text": "The twelve stones corresponded to the names of the sons of Israel. Each stone was engraved like a seal with the name of one of the twelve tribes."
},
{
"verseNum": 15,
"text": "For the breastpiece they made braided chains like cords of pure gold."
},
{
"verseNum": 16,
"text": "They also made two gold filigree settings and two gold rings, and fastened the two rings to the two corners of the breastpiece."
},
{
"verseNum": 17,
"text": "Then they fastened the two gold chains to the two gold rings at the corners of the breastpiece,"
},
{
"verseNum": 18,
"text": "and they fastened the other ends of the two chains to the two filigree settings, attaching them to the shoulder pieces of the ephod at the front."
},
{
"verseNum": 19,
"text": "They made two more gold rings and attached them to the other two corners of the breastpiece, on the inside edge next to the ephod."
},
{
"verseNum": 20,
"text": "They made two additional gold rings and attached them to the bottom of the two shoulder pieces of the ephod, on its front, near the seam just above its woven waistband."
},
{
"verseNum": 21,
"text": "Then they tied the rings of the breastpiece to the rings of the ephod with a cord of blue yarn, so that the breastpiece was above the waistband of the ephod and would not swing out from the ephod, just as the LORD had commanded Moses."
},
{
"verseNum": 22,
"text": "They made the robe of the ephod entirely of blue cloth, the work of a weaver,"
},
{
"verseNum": 23,
"text": "with an opening in the center of the robe like that of a garment, with a collar around the opening so that it would not tear."
},
{
"verseNum": 24,
"text": "They made pomegranates of blue, purple, and scarlet yarn and finely spun linen on the lower hem of the robe."
},
{
"verseNum": 25,
"text": "They also made bells of pure gold and attached them around the hem between the pomegranates,"
},
{
"verseNum": 26,
"text": "alternating the bells and pomegranates around the lower hem of the robe to be worn for ministry, just as the LORD had commanded Moses."
},
{
"verseNum": 27,
"text": "For Aaron and his sons they made tunics of fine linen, the work of a weaver,"
},
{
"verseNum": 28,
"text": "as well as the turban of fine linen, the ornate headbands and undergarments of finely spun linen,"
},
{
"verseNum": 29,
"text": "and the sash of finely spun linen, embroidered with blue, purple, and scarlet yarn, just as the LORD had commanded Moses."
},
{
"verseNum": 30,
"text": "They also made the plate of the holy crown of pure gold, and they engraved on it, like an inscription on a seal:\n \n HOLY TO THE LORD."
},
{
"verseNum": 31,
"text": "Then they fastened to it a blue cord to mount it on the turban, just as the LORD had commanded Moses."
},
{
"verseNum": 32,
"text": "So all the work for the tabernacle, the Tent of Meeting, was completed. The Israelites did everything just as the LORD had commanded Moses."
},
{
"verseNum": 33,
"text": "Then they brought the tabernacle to Moses:\n \n the tent with all its furnishings, its clasps, its frames, its crossbars, and its posts and bases;"
},
{
"verseNum": 34,
"text": "the covering of ram skins dyed red, the covering of fine leather, and the veil of the covering;"
},
{
"verseNum": 35,
"text": "the ark of the Testimony with its poles and the mercy seat;"
},
{
"verseNum": 36,
"text": "the table with all its utensils and the Bread of the Presence;"
},
{
"verseNum": 37,
"text": "the pure gold lampstand with its row of lamps and all its utensils, as well as the oil for the light;"
},
{
"verseNum": 38,
"text": "the gold altar, the anointing oil, the fragrant incense, and the curtain for the entrance to the tent;"
},
{
"verseNum": 39,
"text": "the bronze altar with its bronze grating, its poles, and all its utensils;\n \n the basin with its stand;"
},
{
"verseNum": 40,
"text": "the curtains of the courtyard with its posts and bases;\n \n the curtain for the gate of the courtyard, its ropes and tent pegs, and all the equipment for the service of the tabernacle, the Tent of Meeting;"
},
{
"verseNum": 41,
"text": "and the woven garments for ministering in the sanctuary, both the holy garments for Aaron the priest and the garments for his sons to serve as priests."
},
{
"verseNum": 42,
"text": "The Israelites had done all the work just as the LORD had commanded Moses."
},
{
"verseNum": 43,
"text": "And Moses inspected all the work and saw that they had accomplished it just as the LORD had commanded. So Moses blessed them."
}
]
}

View File

@@ -0,0 +1,129 @@
{
"chapterNum": 4,
"verses": [
{
"verseNum": 1,
"text": "Then Moses answered, “What if they do not believe me or listen to my voice? For they may say, The LORD has not appeared to you.’”"
},
{
"verseNum": 2,
"text": "And the LORD asked him, “What is that in your hand?”\n \n“A staff,” he replied."
},
{
"verseNum": 3,
"text": "“Throw it on the ground,” said the LORD. So Moses threw it on the ground, and it became a snake, and he ran from it."
},
{
"verseNum": 4,
"text": "“Stretch out your hand and grab it by the tail,” the LORD said to Moses, who reached out his hand and caught the snake, and it turned back into a staff in his hand."
},
{
"verseNum": 5,
"text": "“This is so that they may believe that the LORD, the God of their fathers—the God of Abraham, the God of Isaac, and the God of Jacob—has appeared to you.”"
},
{
"verseNum": 6,
"text": "Furthermore, the LORD said to Moses, “Put your hand inside your cloak.” So he put his hand inside his cloak, and when he took it out, his hand was leprous, white as snow."
},
{
"verseNum": 7,
"text": "“Put your hand back inside your cloak,” said the LORD.\n \nSo Moses put his hand back inside his cloak, and when he took it out, it was restored, like the rest of his skin."
},
{
"verseNum": 8,
"text": "And the LORD said, “If they refuse to believe you or heed the witness of the first sign, they may believe that of the second."
},
{
"verseNum": 9,
"text": "But if they do not believe even these two signs or listen to your voice, take some water from the Nile and pour it on the dry ground. Then the water you take from the Nile will become blood on the ground.”"
},
{
"verseNum": 10,
"text": "“Please, Lord,” Moses replied, “I have never been eloquent, neither in the past nor since You have spoken to Your servant, for I am slow of speech and tongue.”"
},
{
"verseNum": 11,
"text": "And the LORD said to him, “Who gave man his mouth? Or who makes the mute or the deaf, the sighted or the blind? Is it not I, the LORD?"
},
{
"verseNum": 12,
"text": "Now go! I will help you as you speak, and I will teach you what to say.”"
},
{
"verseNum": 13,
"text": "But Moses replied, “Please, Lord, send someone else.”"
},
{
"verseNum": 14,
"text": "Then the anger of the LORD burned against Moses, and He said, “Is not Aaron the Levite your brother? I know that he can speak well, and he is now on his way to meet you. When he sees you, he will be glad in his heart."
},
{
"verseNum": 15,
"text": "You are to speak to him and put the words in his mouth. I will help both of you to speak, and I will teach you what to do."
},
{
"verseNum": 16,
"text": "He will speak to the people for you. He will be your spokesman, and it will be as if you were God to him."
},
{
"verseNum": 17,
"text": "But take this staff in your hand so you can perform signs with it.”"
},
{
"verseNum": 18,
"text": "Then Moses went back to his father-in-law Jethro and said to him, “Please let me return to my brothers in Egypt to see if they are still alive.”\n \n“Go in peace,” Jethro replied."
},
{
"verseNum": 19,
"text": "Now the LORD had said to Moses in Midian, “Go back to Egypt, for all the men who sought to kill you are dead.”"
},
{
"verseNum": 20,
"text": "So Moses took his wife and sons, put them on a donkey, and headed back to Egypt. And he took the staff of God in his hand."
},
{
"verseNum": 21,
"text": "The LORD instructed Moses, “When you go back to Egypt, see that you perform before Pharaoh all the wonders that I have put within your power. But I will harden his heart so that he will not let the people go."
},
{
"verseNum": 22,
"text": "Then tell Pharaoh that this is what the LORD says: Israel is My firstborn son,"
},
{
"verseNum": 23,
"text": "and I told you to let My son go so that he may worship Me. But since you have refused to let him go, behold, I will kill your firstborn son!’”"
},
{
"verseNum": 24,
"text": "Now at a lodging place along the way, the LORD met Moses and was about to kill him."
},
{
"verseNum": 25,
"text": "But Zipporah took a flint knife, cut off her sons foreskin, and touched it to Moses feet. “Surely you are a bridegroom of blood to me,” she said."
},
{
"verseNum": 26,
"text": "So the LORD let him alone. (When she said, “bridegroom of blood,” she was referring to the circumcision.)"
},
{
"verseNum": 27,
"text": "Meanwhile, the LORD had said to Aaron, “Go and meet Moses in the wilderness.” So he went and met Moses at the mountain of God and kissed him."
},
{
"verseNum": 28,
"text": "And Moses told Aaron everything the LORD had sent him to say, and all the signs He had commanded him to perform."
},
{
"verseNum": 29,
"text": "Then Moses and Aaron went and assembled all the elders of the Israelites,"
},
{
"verseNum": 30,
"text": "and Aaron relayed everything the LORD had said to Moses.\n \nAnd Moses performed the signs before the people,"
},
{
"verseNum": 31,
"text": "and they believed. And when they heard that the LORD had attended to the Israelites and had seen their affliction, they bowed down and worshiped."
}
]
}

View File

@@ -0,0 +1,157 @@
{
"chapterNum": 40,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses,"
},
{
"verseNum": 2,
"text": "“On the first day of the first month you are to set up the tabernacle, the Tent of Meeting."
},
{
"verseNum": 3,
"text": "Put the ark of the Testimony in it and screen off the ark with the veil."
},
{
"verseNum": 4,
"text": "Then bring in the table and set out its arrangement; bring in the lampstand as well, and set up its lamps."
},
{
"verseNum": 5,
"text": "Place the gold altar of incense in front of the ark of the Testimony, and hang the curtain at the entrance to the tabernacle."
},
{
"verseNum": 6,
"text": "Place the altar of burnt offering in front of the entrance to the tabernacle, the Tent of Meeting."
},
{
"verseNum": 7,
"text": "And place the basin between the Tent of Meeting and the altar, and put water in it."
},
{
"verseNum": 8,
"text": "Set up the surrounding courtyard and hang the curtain for the entrance to the courtyard."
},
{
"verseNum": 9,
"text": "Take the anointing oil and anoint the tabernacle and everything in it; consecrate it along with all its furnishings, and it shall be holy."
},
{
"verseNum": 10,
"text": "Anoint the altar of burnt offering and all its utensils; consecrate the altar, and it shall be most holy."
},
{
"verseNum": 11,
"text": "Anoint the basin and its stand and consecrate them."
},
{
"verseNum": 12,
"text": "Then bring Aaron and his sons to the entrance to the Tent of Meeting and wash them with water."
},
{
"verseNum": 13,
"text": "And you are to clothe Aaron with the holy garments, anoint him, and consecrate him, so that he may serve Me as a priest."
},
{
"verseNum": 14,
"text": "Bring his sons forward and clothe them with tunics."
},
{
"verseNum": 15,
"text": "Anoint them just as you anointed their father, so that they may also serve Me as priests. Their anointing will qualify them for a permanent priesthood throughout their generations.”"
},
{
"verseNum": 16,
"text": "Moses did everything just as the LORD had commanded him."
},
{
"verseNum": 17,
"text": "So the tabernacle was set up on the first day of the first month of the second year."
},
{
"verseNum": 18,
"text": "When Moses set up the tabernacle, he laid its bases, positioned its frames, inserted its crossbars, and set up its posts."
},
{
"verseNum": 19,
"text": "Then he spread the tent over the tabernacle and put the covering over the tent, just as the LORD had commanded him."
},
{
"verseNum": 20,
"text": "Moses took the Testimony and placed it in the ark, attaching the poles to the ark; and he set the mercy seat atop the ark."
},
{
"verseNum": 21,
"text": "Then he brought the ark into the tabernacle, put up the veil for the screen, and shielded off the ark of the Testimony, just as the LORD had commanded him."
},
{
"verseNum": 22,
"text": "Moses placed the table in the Tent of Meeting on the north side of the tabernacle, outside the veil."
},
{
"verseNum": 23,
"text": "He arranged the bread on it before the LORD, just as the LORD had commanded him."
},
{
"verseNum": 24,
"text": "He also placed the lampstand in the Tent of Meeting opposite the table on the south side of the tabernacle"
},
{
"verseNum": 25,
"text": "and set up the lamps before the LORD, just as the LORD had commanded him."
},
{
"verseNum": 26,
"text": "Moses placed the gold altar in the Tent of Meeting, in front of the veil,"
},
{
"verseNum": 27,
"text": "and he burned fragrant incense on it, just as the LORD had commanded him."
},
{
"verseNum": 28,
"text": "Then he put up the curtain at the entrance to the tabernacle."
},
{
"verseNum": 29,
"text": "He placed the altar of burnt offering near the entrance to the tabernacle, the Tent of Meeting, and offered on it the burnt offering and the grain offering, just as the LORD had commanded him."
},
{
"verseNum": 30,
"text": "He placed the basin between the Tent of Meeting and the altar and put water in it for washing;"
},
{
"verseNum": 31,
"text": "and from it Moses, Aaron, and his sons washed their hands and feet."
},
{
"verseNum": 32,
"text": "They washed whenever they entered the Tent of Meeting or approached the altar, just as the LORD had commanded Moses."
},
{
"verseNum": 33,
"text": "And Moses set up the courtyard around the tabernacle and the altar, and he hung the curtain for the entrance to the courtyard. So Moses finished the work."
},
{
"verseNum": 34,
"text": "Then the cloud covered the Tent of Meeting, and the glory of the LORD filled the tabernacle."
},
{
"verseNum": 35,
"text": "Moses was unable to enter the Tent of Meeting because the cloud had settled on it, and the glory of the LORD filled the tabernacle."
},
{
"verseNum": 36,
"text": "Whenever the cloud was lifted from above the tabernacle, the Israelites would set out through all the stages of their journey."
},
{
"verseNum": 37,
"text": "If the cloud was not lifted, they would not set out until the day it was taken up."
},
{
"verseNum": 38,
"text": "For the cloud of the LORD was over the tabernacle by day, and fire was in the cloud by night, in the sight of all the house of Israel through all their journeys."
}
]
}

View File

@@ -0,0 +1,97 @@
{
"chapterNum": 5,
"verses": [
{
"verseNum": 1,
"text": "After that, Moses and Aaron went to Pharaoh and said, “This is what the LORD, the God of Israel, says: Let My people go, so that they may hold a feast to Me in the wilderness.’”"
},
{
"verseNum": 2,
"text": "But Pharaoh replied, “Who is the LORD that I should obey His voice and let Israel go? I do not know the LORD, and I will not let Israel go.”"
},
{
"verseNum": 3,
"text": "“The God of the Hebrews has met with us,” they answered. “Please let us go on a three-day journey into the wilderness to sacrifice to the LORD our God, or He may strike us with plagues or with the sword.”"
},
{
"verseNum": 4,
"text": "But the king of Egypt said to them, “Moses and Aaron, why do you draw the people away from their work? Get back to your labor!”"
},
{
"verseNum": 5,
"text": "Pharaoh also said, “Look, the people of the land are now numerous, and you would be stopping them from their labor.”"
},
{
"verseNum": 6,
"text": "That same day Pharaoh commanded the taskmasters of the people and their foremen:"
},
{
"verseNum": 7,
"text": "“You shall no longer supply the people with straw for making bricks. They must go and gather their own straw."
},
{
"verseNum": 8,
"text": "But require of them the same quota of bricks as before; do not reduce it. For they are lazy; that is why they are crying out, Let us go and sacrifice to our God."
},
{
"verseNum": 9,
"text": "Make the work harder on the men so they will be occupied and pay no attention to these lies.”"
},
{
"verseNum": 10,
"text": "So the taskmasters and foremen of the people went out and said to them, “This is what Pharaoh says: I am no longer giving you straw."
},
{
"verseNum": 11,
"text": "Go and get your own straw wherever you can find it; but your workload will in no way be reduced.’”"
},
{
"verseNum": 12,
"text": "So the people scattered all over the land of Egypt to gather stubble for straw."
},
{
"verseNum": 13,
"text": "The taskmasters kept pressing them, saying, “Fulfill your quota each day, just as you did when straw was provided.”"
},
{
"verseNum": 14,
"text": "Then the Israelite foremen, whom Pharaohs taskmasters had set over the people, were beaten and asked, “Why have you not fulfilled your quota of bricks yesterday or today, as you did before?”"
},
{
"verseNum": 15,
"text": "So the Israelite foremen went and appealed to Pharaoh: “Why are you treating your servants this way?"
},
{
"verseNum": 16,
"text": "No straw has been given to your servants, yet we are told, Make bricks! Look, your servants are being beaten, but the fault is with your own people.”"
},
{
"verseNum": 17,
"text": "“You are slackers!” Pharaoh replied. “Slackers! That is why you keep saying, Let us go and sacrifice to the LORD."
},
{
"verseNum": 18,
"text": "Now get to work. You will be given no straw, yet you must deliver the full quota of bricks.”"
},
{
"verseNum": 19,
"text": "The Israelite foremen realized they were in trouble when they were told, “You must not reduce your daily quota of bricks.”"
},
{
"verseNum": 20,
"text": "When they left Pharaoh, they confronted Moses and Aaron, who stood waiting to meet them."
},
{
"verseNum": 21,
"text": "“May the LORD look upon you and judge you,” the foremen said, “for you have made us a stench before Pharaoh and his officials; you have placed in their hand a sword to kill us!”"
},
{
"verseNum": 22,
"text": "So Moses returned to the LORD and asked, “Lord, why have You brought trouble upon this people? Is this why You sent me?"
},
{
"verseNum": 23,
"text": "Ever since I went to Pharaoh to speak in Your name, he has brought trouble on this people, and You have not delivered Your people in any way.”"
}
]
}

View File

@@ -0,0 +1,125 @@
{
"chapterNum": 6,
"verses": [
{
"verseNum": 1,
"text": "But the LORD said to Moses, “Now you will see what I will do to Pharaoh, for because of My mighty hand he will let the people go; because of My strong hand he will drive them out of his land.”"
},
{
"verseNum": 2,
"text": "God also told Moses, “I am the LORD."
},
{
"verseNum": 3,
"text": "I appeared to Abraham, to Isaac, and to Jacob as God Almighty, but by My name the LORD I did not make Myself known to them."
},
{
"verseNum": 4,
"text": "I also established My covenant with them to give them the land of Canaan, the land where they lived as foreigners."
},
{
"verseNum": 5,
"text": "Furthermore, I have heard the groaning of the Israelites, whom the Egyptians are enslaving, and I have remembered My covenant."
},
{
"verseNum": 6,
"text": "Therefore tell the Israelites: I am the LORD, and I will bring you out from under the yoke of the Egyptians and deliver you from their bondage. I will redeem you with an outstretched arm and with mighty acts of judgment."
},
{
"verseNum": 7,
"text": "I will take you as My own people, and I will be your God. Then you will know that I am the LORD your God, who brought you out from under the yoke of the Egyptians."
},
{
"verseNum": 8,
"text": "And I will bring you into the land that I swore to give to Abraham, Isaac, and Jacob. I will give it to you as a possession. I am the LORD!’”"
},
{
"verseNum": 9,
"text": "Moses relayed this message to the Israelites, but on account of their broken spirit and cruel bondage, they did not listen to him."
},
{
"verseNum": 10,
"text": "So the LORD said to Moses,"
},
{
"verseNum": 11,
"text": "“Go and tell Pharaoh king of Egypt to let the Israelites go out of his land.”"
},
{
"verseNum": 12,
"text": "But in the LORDs presence Moses replied, “If the Israelites will not listen to me, then why would Pharaoh listen to me, since I am unskilled in speech?”"
},
{
"verseNum": 13,
"text": "Then the LORD spoke to Moses and Aaron and gave them a charge concerning both the Israelites and Pharaoh king of Egypt, to bring the Israelites out of the land of Egypt."
},
{
"verseNum": 14,
"text": "These were the heads of their fathers houses:\n \n The sons of Reuben, the firstborn of Israel, were Hanoch and Pallu, Hezron and Carmi. These were the clans of Reuben."
},
{
"verseNum": 15,
"text": "The sons of Simeon were Jemuel, Jamin, Ohad, Jachin, Zohar, and Shaul, the son of a Canaanite woman. These were the clans of Simeon."
},
{
"verseNum": 16,
"text": "These were the names of the sons of Levi according to their records: Gershon, Kohath, and Merari. Levi lived 137 years."
},
{
"verseNum": 17,
"text": "The sons of Gershon were Libni and Shimei, by their clans."
},
{
"verseNum": 18,
"text": "The sons of Kohath were Amram, Izhar, Hebron, and Uzziel. Kohath lived 133 years."
},
{
"verseNum": 19,
"text": "The sons of Merari were Mahli and Mushi.\n \n These were the clans of the Levites according to their records."
},
{
"verseNum": 20,
"text": "And Amram married his fathers sister Jochebed, and she bore him Aaron and Moses. Amram lived 137 years."
},
{
"verseNum": 21,
"text": "The sons of Izhar were Korah, Nepheg, and Zichri."
},
{
"verseNum": 22,
"text": "The sons of Uzziel were Mishael, Elzaphan, and Sithri."
},
{
"verseNum": 23,
"text": "And Aaron married Elisheba, the daughter of Amminadab and sister of Nahshon, and she bore him Nadab and Abihu, Eleazar and Ithamar."
},
{
"verseNum": 24,
"text": "The sons of Korah were Assir, Elkanah, and Abiasaph. These were the clans of the Korahites."
},
{
"verseNum": 25,
"text": "Aarons son Eleazar married one of the daughters of Putiel, and she bore him Phinehas.\n \n These were the heads of the Levite families by their clans."
},
{
"verseNum": 26,
"text": "It was this Aaron and Moses to whom the LORD said, “Bring the Israelites out of the land of Egypt by their divisions.”"
},
{
"verseNum": 27,
"text": "Moses and Aaron were the ones who spoke to Pharaoh king of Egypt in order to bring the Israelites out of Egypt."
},
{
"verseNum": 28,
"text": "Now on the day that the LORD spoke to Moses in Egypt,"
},
{
"verseNum": 29,
"text": "He said to him, “I am the LORD; tell Pharaoh king of Egypt everything I say to you.”"
},
{
"verseNum": 30,
"text": "But in the LORDs presence Moses replied, “Since I am unskilled in speech, why would Pharaoh listen to me?”"
}
]
}

View File

@@ -0,0 +1,105 @@
{
"chapterNum": 7,
"verses": [
{
"verseNum": 1,
"text": "The LORD answered Moses, “See, I have made you like God to Pharaoh, and your brother Aaron will be your prophet."
},
{
"verseNum": 2,
"text": "You are to speak all that I command you, and your brother Aaron is to tell Pharaoh to let the Israelites go out of his land."
},
{
"verseNum": 3,
"text": "But I will harden Pharaohs heart, and though I will multiply My signs and wonders in the land of Egypt,"
},
{
"verseNum": 4,
"text": "Pharaoh will not listen to you.\n \nThen I will lay My hand on Egypt, and by mighty acts of judgment I will bring the divisions of My people the Israelites out of the land of Egypt."
},
{
"verseNum": 5,
"text": "And the Egyptians will know that I am the LORD, when I stretch out My hand against Egypt and bring the Israelites out from among them.”"
},
{
"verseNum": 6,
"text": "So Moses and Aaron did just as the LORD had commanded them."
},
{
"verseNum": 7,
"text": "Moses was eighty years old and Aaron was eighty-three when they spoke to Pharaoh."
},
{
"verseNum": 8,
"text": "The LORD said to Moses and Aaron,"
},
{
"verseNum": 9,
"text": "“When Pharaoh tells you, Perform a miracle, you are to say to Aaron, Take your staff and throw it down before Pharaoh, and it will become a serpent.”"
},
{
"verseNum": 10,
"text": "So Moses and Aaron went to Pharaoh and did just as the LORD had commanded. Aaron threw his staff down before Pharaoh and his officials, and it became a serpent."
},
{
"verseNum": 11,
"text": "But Pharaoh called the wise men and sorcerers and magicians of Egypt, and they also did the same things by their magic arts."
},
{
"verseNum": 12,
"text": "Each one threw down his staff, and it became a serpent. But Aarons staff swallowed up the other staffs."
},
{
"verseNum": 13,
"text": "Still, Pharaohs heart was hardened, and he would not listen to them, just as the LORD had said."
},
{
"verseNum": 14,
"text": "Then the LORD said to Moses, “Pharaohs heart is unyielding; he refuses to let the people go."
},
{
"verseNum": 15,
"text": "Go to Pharaoh in the morning as you see him walking out to the water. Wait on the bank of the Nile to meet him, and take in your hand the staff that was changed into a snake."
},
{
"verseNum": 16,
"text": "Then say to him, The LORD, the God of the Hebrews, has sent me to tell you: Let My people go, so that they may worship Me in the wilderness. But you have not listened until now."
},
{
"verseNum": 17,
"text": "This is what the LORD says: By this you will know that I am the LORD. Behold, with the staff in my hand I will strike the water of the Nile, and it will turn to blood."
},
{
"verseNum": 18,
"text": "The fish in the Nile will die, the river will stink, and the Egyptians will be unable to drink its water.’”"
},
{
"verseNum": 19,
"text": "And the LORD said to Moses, “Tell Aaron, Take your staff and stretch out your hand over the waters of Egypt—over their rivers and canals and ponds and reservoirs—that they may become blood. There will be blood throughout the land of Egypt, even in the vessels of wood and stone.”"
},
{
"verseNum": 20,
"text": "Moses and Aaron did just as the LORD had commanded; in the presence of Pharaoh and his officials, Aaron raised the staff and struck the water of the Nile, and all the water was turned to blood."
},
{
"verseNum": 21,
"text": "The fish in the Nile died, and the river smelled so bad that the Egyptians could not drink its water. And there was blood throughout the land of Egypt."
},
{
"verseNum": 22,
"text": "But the magicians of Egypt did the same things by their magic arts. So Pharaohs heart was hardened, and he would not listen to Moses and Aaron, just as the LORD had said."
},
{
"verseNum": 23,
"text": "Instead, Pharaoh turned around, went into his palace, and did not take any of this to heart."
},
{
"verseNum": 24,
"text": "So all the Egyptians dug around the Nile for water to drink, because they could not drink the water from the river."
},
{
"verseNum": 25,
"text": "And seven full days passed after the LORD had struck the Nile."
}
]
}

View File

@@ -0,0 +1,133 @@
{
"chapterNum": 8,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses, “Go to Pharaoh and tell him that this is what the LORD says: Let My people go, so that they may worship Me."
},
{
"verseNum": 2,
"text": "But if you refuse to let them go, I will plague your whole country with frogs."
},
{
"verseNum": 3,
"text": "The Nile will teem with frogs, and they will come into your palace and up to your bedroom and onto your bed, into the houses of your officials and your people, and into your ovens and kneading bowls."
},
{
"verseNum": 4,
"text": "The frogs will come up on you and your people and all your officials.’”"
},
{
"verseNum": 5,
"text": "And the LORD said to Moses, “Tell Aaron, Stretch out your hand with your staff over the rivers and canals and ponds, and cause the frogs to come up onto the land of Egypt.’”"
},
{
"verseNum": 6,
"text": "So Aaron stretched out his hand over the waters of Egypt, and the frogs came up and covered the land of Egypt."
},
{
"verseNum": 7,
"text": "But the magicians did the same thing by their magic arts, and they also brought frogs up onto the land of Egypt."
},
{
"verseNum": 8,
"text": "Pharaoh summoned Moses and Aaron and said, “Pray to the LORD to take the frogs away from me and my people. Then I will let your people go, that they may sacrifice to the LORD.”"
},
{
"verseNum": 9,
"text": "Moses said to Pharaoh, “You may have the honor over me. When shall I pray for you and your officials and your people that the frogs (except for those in the Nile) may be taken away from you and your houses?”"
},
{
"verseNum": 10,
"text": "“Tomorrow,” Pharaoh answered.\n \n“May it be as you say,” Moses replied, “so that you may know that there is no one like the LORD our God."
},
{
"verseNum": 11,
"text": "The frogs will depart from you and your houses and your officials and your people; they will remain only in the Nile.”"
},
{
"verseNum": 12,
"text": "After Moses and Aaron had left Pharaoh, Moses cried out to the LORD for help with the frogs that He had brought against Pharaoh."
},
{
"verseNum": 13,
"text": "And the LORD did as Moses requested, and the frogs in the houses, the courtyards, and the fields died."
},
{
"verseNum": 14,
"text": "They were piled into countless heaps, and there was a terrible stench in the land."
},
{
"verseNum": 15,
"text": "When Pharaoh saw that there was relief, however, he hardened his heart and would not listen to Moses and Aaron, just as the LORD had said."
},
{
"verseNum": 16,
"text": "Then the LORD said to Moses, “Tell Aaron, Stretch out your staff and strike the dust of the earth, that it may turn into swarms of gnats throughout the land of Egypt.’”"
},
{
"verseNum": 17,
"text": "This they did, and when Aaron stretched out his hand with his staff and struck the dust of the earth, gnats came upon man and beast. All the dust of the earth turned into gnats throughout the land of Egypt."
},
{
"verseNum": 18,
"text": "The magicians tried to produce gnats using their magic arts, but they could not. And the gnats remained on man and beast."
},
{
"verseNum": 19,
"text": "“This is the finger of God,” the magicians said to Pharaoh. But Pharaohs heart was hardened, and he would not listen to them, just as the LORD had said."
},
{
"verseNum": 20,
"text": "Then the LORD said to Moses, “Get up early in the morning, and when Pharaoh goes out to the water, stand before him and tell him that this is what the LORD says: Let My people go, so that they may worship Me."
},
{
"verseNum": 21,
"text": "But if you will not let My people go, I will send swarms of flies upon you and your officials and your people and your houses. The houses of the Egyptians and even the ground where they stand will be full of flies."
},
{
"verseNum": 22,
"text": "But on that day I will give special treatment to the land of Goshen, where My people live; no swarms of flies will be found there. In this way you will know that I, the LORD, am in the land."
},
{
"verseNum": 23,
"text": "I will make a distinction between My people and your people. This sign will take place tomorrow.’”"
},
{
"verseNum": 24,
"text": "And the LORD did so. Thick swarms of flies poured into Pharaohs palace and into the houses of his officials. Throughout Egypt the land was ruined by swarms of flies."
},
{
"verseNum": 25,
"text": "Then Pharaoh summoned Moses and Aaron and said, “Go, sacrifice to your God within this land.”"
},
{
"verseNum": 26,
"text": "But Moses replied, “It would not be right to do that, because the sacrifices we offer to the LORD our God would be detestable to the Egyptians. If we offer sacrifices that are detestable before the Egyptians, will they not stone us?"
},
{
"verseNum": 27,
"text": "We must make a three-day journey into the wilderness and sacrifice to the LORD our God as He commands us.”"
},
{
"verseNum": 28,
"text": "Pharaoh answered, “I will let you go and sacrifice to the LORD your God in the wilderness, but you must not go very far. Now pray for me.”"
},
{
"verseNum": 29,
"text": "“As soon as I leave you,” Moses said, “I will pray to the LORD, so that tomorrow the swarms of flies will depart from Pharaoh and his officials and his people. But Pharaoh must not act deceitfully again by refusing to let the people go and sacrifice to the LORD.”"
},
{
"verseNum": 30,
"text": "Then Moses left Pharaoh and prayed to the LORD,"
},
{
"verseNum": 31,
"text": "and the LORD did as Moses requested. He removed the swarms of flies from Pharaoh and his officials and his people; not one fly remained."
},
{
"verseNum": 32,
"text": "But Pharaoh hardened his heart this time as well, and he would not let the people go."
}
]
}

View File

@@ -0,0 +1,145 @@
{
"chapterNum": 9,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Moses, “Go to Pharaoh and tell him that this is what the LORD, the God of the Hebrews, says: Let My people go, so that they may worship Me."
},
{
"verseNum": 2,
"text": "But if you continue to restrain them and refuse to let them go,"
},
{
"verseNum": 3,
"text": "then the hand of the LORD will bring a severe plague on your livestock in the field—on your horses, donkeys, camels, herds, and flocks."
},
{
"verseNum": 4,
"text": "But the LORD will make a distinction between the livestock of Israel and the livestock of Egypt, so that no animal belonging to the Israelites will die.’”"
},
{
"verseNum": 5,
"text": "The LORD set a time, saying, “Tomorrow the LORD will do this in the land.”"
},
{
"verseNum": 6,
"text": "And the next day the LORD did just that. All the livestock of the Egyptians died, but not one animal belonging to the Israelites died."
},
{
"verseNum": 7,
"text": "Pharaoh sent officials and found that none of the livestock of the Israelites had died. But Pharaohs heart was hardened, and he would not let the people go."
},
{
"verseNum": 8,
"text": "Then the LORD said to Moses and Aaron, “Take handfuls of soot from the furnace; in the sight of Pharaoh, Moses is to toss it into the air."
},
{
"verseNum": 9,
"text": "It will become fine dust over all the land of Egypt, and festering boils will break out on man and beast throughout the land.”"
},
{
"verseNum": 10,
"text": "So they took soot from the furnace and stood before Pharaoh. Moses tossed it into the air, and festering boils broke out on man and beast."
},
{
"verseNum": 11,
"text": "The magicians could not stand before Moses, because the boils had broken out on them and on all the Egyptians."
},
{
"verseNum": 12,
"text": "But the LORD hardened Pharaohs heart, and he would not listen to them, just as the LORD had said to Moses."
},
{
"verseNum": 13,
"text": "Then the LORD said to Moses, “Get up early in the morning, stand before Pharaoh, and tell him that this is what the LORD, the God of the Hebrews, says: Let My people go, so that they may worship Me."
},
{
"verseNum": 14,
"text": "Otherwise, I will send all My plagues against you and your officials and your people, so you may know that there is no one like Me in all the earth."
},
{
"verseNum": 15,
"text": "For by this time I could have stretched out My hand and struck you and your people with a plague to wipe you off the earth."
},
{
"verseNum": 16,
"text": "But I have raised you up for this very purpose, that I might display My power to you, and that My name might be proclaimed in all the earth."
},
{
"verseNum": 17,
"text": "Still, you lord it over My people and do not allow them to go."
},
{
"verseNum": 18,
"text": "Behold, at this time tomorrow I will rain down the worst hail that has ever fallen on Egypt, from the day it was founded until now."
},
{
"verseNum": 19,
"text": "So give orders now to shelter your livestock and everything you have in the field. Every man or beast that remains in the field and is not brought inside will die when the hail comes down upon them.’”"
},
{
"verseNum": 20,
"text": "Those among Pharaohs officials who feared the word of the LORD hurried to bring their servants and livestock to shelter,"
},
{
"verseNum": 21,
"text": "but those who disregarded the word of the LORD left their servants and livestock in the field."
},
{
"verseNum": 22,
"text": "Then the LORD said to Moses, “Stretch out your hand toward heaven, so that hail may fall on all the land of Egypt—on man and beast and every plant of the field throughout the land of Egypt.”"
},
{
"verseNum": 23,
"text": "So Moses stretched out his staff toward heaven, and the LORD sent thunder and hail, and lightning struck the earth. So the LORD rained down hail upon the land of Egypt."
},
{
"verseNum": 24,
"text": "The hail fell and the lightning continued flashing through it. The hail was so severe that nothing like it had ever been seen in all the land of Egypt from the time it became a nation."
},
{
"verseNum": 25,
"text": "Throughout the land of Egypt, the hail struck down everything in the field, both man and beast; it beat down every plant of the field and stripped every tree."
},
{
"verseNum": 26,
"text": "The only place where it did not hail was in the land of Goshen, where the Israelites lived."
},
{
"verseNum": 27,
"text": "Then Pharaoh summoned Moses and Aaron. “This time I have sinned,” he said. “The LORD is righteous, and I and my people are wicked."
},
{
"verseNum": 28,
"text": "Pray to the LORD, for there has been enough of Gods thunder and hail. I will let you go; you do not need to stay any longer.”"
},
{
"verseNum": 29,
"text": "Moses said to him, “When I have left the city, I will spread out my hands to the LORD. The thunder will cease, and there will be no more hail, so that you may know that the earth is the LORDs."
},
{
"verseNum": 30,
"text": "But as for you and your officials, I know that you still do not fear the LORD our God.”"
},
{
"verseNum": 31,
"text": "(Now the flax and barley were destroyed, since the barley was ripe and the flax was in bloom;"
},
{
"verseNum": 32,
"text": "but the wheat and spelt were not destroyed, because they are late crops.)"
},
{
"verseNum": 33,
"text": "Then Moses departed from Pharaoh, went out of the city, and spread out his hands to the LORD. The thunder and hail ceased, and the rain no longer poured down on the land."
},
{
"verseNum": 34,
"text": "When Pharaoh saw that the rain and hail and thunder had ceased, he sinned again and hardened his heart—he and his officials."
},
{
"verseNum": 35,
"text": "So Pharaohs heart was hardened, and he would not let the Israelites go, just as the LORD had said through Moses."
}
]
}

View File

@@ -0,0 +1,9 @@
{
"chapterNum": null,
"verses": [
{
"verseNum": 1,
"text": "Exodus"
}
]
}

View File

@@ -0,0 +1,129 @@
{
"chapterNum": 1,
"verses": [
{
"verseNum": 1,
"text": "In the beginning God created the heavens and the earth."
},
{
"verseNum": 2,
"text": "Now the earth was formless and void, and darkness was over the surface of the deep. And the Spirit of God was hovering over the surface of the waters."
},
{
"verseNum": 3,
"text": "And God said, “Let there be light,” and there was light."
},
{
"verseNum": 4,
"text": "And God saw that the light was good, and He separated the light from the darkness."
},
{
"verseNum": 5,
"text": "God called the light “day,” and the darkness He called “night.”\n \n And there was evening, and there was morning—the first day."
},
{
"verseNum": 6,
"text": "And God said, “Let there be an expanse between the waters, to separate the waters from the waters.”"
},
{
"verseNum": 7,
"text": "So God made the expanse and separated the waters beneath it from the waters above. And it was so."
},
{
"verseNum": 8,
"text": "God called the expanse “sky.”\n \n And there was evening, and there was morning—the second day."
},
{
"verseNum": 9,
"text": "And God said, “Let the waters under the sky be gathered into one place, so that the dry land may appear.” And it was so."
},
{
"verseNum": 10,
"text": "God called the dry land “earth,” and the gathering of waters He called “seas.” And God saw that it was good."
},
{
"verseNum": 11,
"text": "Then God said, “Let the earth bring forth vegetation: seed-bearing plants and fruit trees, each bearing fruit with seed according to its kind.” And it was so."
},
{
"verseNum": 12,
"text": "The earth produced vegetation: seed-bearing plants according to their kinds and trees bearing fruit with seed according to their kinds. And God saw that it was good."
},
{
"verseNum": 13,
"text": "And there was evening, and there was morning—the third day."
},
{
"verseNum": 14,
"text": "And God said, “Let there be lights in the expanse of the sky to distinguish between the day and the night, and let them be signs to mark the seasons and days and years."
},
{
"verseNum": 15,
"text": "And let them serve as lights in the expanse of the sky to shine upon the earth.” And it was so."
},
{
"verseNum": 16,
"text": "God made two great lights: the greater light to rule the day and the lesser light to rule the night. And He made the stars as well."
},
{
"verseNum": 17,
"text": "God set these lights in the expanse of the sky to shine upon the earth,"
},
{
"verseNum": 18,
"text": "to preside over the day and the night, and to separate the light from the darkness. And God saw that it was good."
},
{
"verseNum": 19,
"text": "And there was evening, and there was morning—the fourth day."
},
{
"verseNum": 20,
"text": "And God said, “Let the waters teem with living creatures, and let birds fly above the earth in the open expanse of the sky.”"
},
{
"verseNum": 21,
"text": "So God created the great sea creatures and every living thing that moves, with which the waters teemed according to their kinds, and every bird of flight after its kind. And God saw that it was good."
},
{
"verseNum": 22,
"text": "Then God blessed them and said, “Be fruitful and multiply and fill the waters of the seas, and let birds multiply on the earth.”"
},
{
"verseNum": 23,
"text": "And there was evening, and there was morning—the fifth day."
},
{
"verseNum": 24,
"text": "And God said, “Let the earth bring forth living creatures according to their kinds: livestock, land crawlers, and beasts of the earth according to their kinds.” And it was so."
},
{
"verseNum": 25,
"text": "God made the beasts of the earth according to their kinds, the livestock according to their kinds, and everything that crawls upon the earth according to its kind. And God saw that it was good."
},
{
"verseNum": 26,
"text": "Then God said, “Let Us make man in Our image, after Our likeness, to rule over the fish of the sea and the birds of the air, over the livestock, and over all the earth itself and every creature that crawls upon it.”"
},
{
"verseNum": 27,
"text": "So God created man in His own image;\n in the image of God He created him;\n male and female He created them."
},
{
"verseNum": 28,
"text": "God blessed them and said to them, “Be fruitful and multiply, and fill the earth and subdue it; rule over the fish of the sea and the birds of the air and every creature that crawls upon the earth.”"
},
{
"verseNum": 29,
"text": "Then God said, “Behold, I have given you every seed-bearing plant on the face of all the earth, and every tree whose fruit contains seed. They will be yours for food."
},
{
"verseNum": 30,
"text": "And to every beast of the earth and every bird of the air and every creature that crawls upon the earth—everything that has the breath of life in it—I have given every green plant for food.” And it was so."
},
{
"verseNum": 31,
"text": "And God looked upon all that He had made, and indeed, it was very good.\n \n And there was evening, and there was morning—the sixth day."
}
]
}

View File

@@ -0,0 +1,133 @@
{
"chapterNum": 10,
"verses": [
{
"verseNum": 1,
"text": "This is the account of Noahs sons Shem, Ham, and Japheth, who also had sons after the flood."
},
{
"verseNum": 2,
"text": "The sons of Japheth:\n \n Gomer, Magog, Madai, Javan, Tubal, Meshech, and Tiras."
},
{
"verseNum": 3,
"text": "The sons of Gomer:\n \n Ashkenaz, Riphath, and Togarmah."
},
{
"verseNum": 4,
"text": "And the sons of Javan:\n \n Elishah, Tarshish, the Kittites, and the Rodanites."
},
{
"verseNum": 5,
"text": "From these, the maritime peoples separated into their territories, according to their languages, by clans within their nations."
},
{
"verseNum": 6,
"text": "The sons of Ham:\n \n Cush, Mizraim, Put, and Canaan."
},
{
"verseNum": 7,
"text": "The sons of Cush:\n \n Seba, Havilah, Sabtah, Raamah, and Sabteca.\n \nAnd the sons of Raamah:\n \n Sheba and Dedan."
},
{
"verseNum": 8,
"text": "Cush was the father of Nimrod, who began to be a mighty one on the earth."
},
{
"verseNum": 9,
"text": "He was a mighty hunter before the LORD; so it is said, “Like Nimrod, a mighty hunter before the LORD.”"
},
{
"verseNum": 10,
"text": "His kingdom began in Babylon, Erech, Accad, and Calneh, in the land of Shinar."
},
{
"verseNum": 11,
"text": "From that land he went forth into Assyria, where he built Nineveh, Rehoboth-Ir, Calah,"
},
{
"verseNum": 12,
"text": "and Resen, which is between Nineveh and the great city of Calah."
},
{
"verseNum": 13,
"text": "Mizraim was the father of the Ludites, the Anamites, the Lehabites, the Naphtuhites,"
},
{
"verseNum": 14,
"text": "the Pathrusites, the Casluhites (from whom the Philistines came), and the Caphtorites."
},
{
"verseNum": 15,
"text": "And Canaan was the father of Sidon his firstborn, and of the Hittites,"
},
{
"verseNum": 16,
"text": "the Jebusites, the Amorites, the Girgashites,"
},
{
"verseNum": 17,
"text": "the Hivites, the Arkites, the Sinites,"
},
{
"verseNum": 18,
"text": "the Arvadites, the Zemarites, and the Hamathites.\n \nLater the Canaanite clans were scattered,"
},
{
"verseNum": 19,
"text": "and the borders of Canaan extended from Sidon toward Gerar as far as Gaza, and then toward Sodom, Gomorrah, Admah, and Zeboiim, as far as Lasha."
},
{
"verseNum": 20,
"text": "These are the sons of Ham according to their clans, languages, lands, and nations."
},
{
"verseNum": 21,
"text": "And sons were also born to Shem, the older brother of Japheth; Shem was the forefather of all the sons of Eber."
},
{
"verseNum": 22,
"text": "The sons of Shem:\n \n Elam, Asshur, Arphaxad, Lud, and Aram."
},
{
"verseNum": 23,
"text": "The sons of Aram:\n \n Uz, Hul, Gether, and Mash."
},
{
"verseNum": 24,
"text": "Arphaxad was the father of Shelah, and Shelah was the father of Eber."
},
{
"verseNum": 25,
"text": "Two sons were born to Eber: One was named Peleg, because in his days the earth was divided, and his brother was named Joktan."
},
{
"verseNum": 26,
"text": "And Joktan was the father of Almodad, Sheleph, Hazarmaveth, Jerah,"
},
{
"verseNum": 27,
"text": "Hadoram, Uzal, Diklah,"
},
{
"verseNum": 28,
"text": "Obal, Abimael, Sheba,"
},
{
"verseNum": 29,
"text": "Ophir, Havilah, and Jobab. All these were sons of Joktan."
},
{
"verseNum": 30,
"text": "Their territory extended from Mesha to Sephar, in the eastern hill country."
},
{
"verseNum": 31,
"text": "These are the sons of Shem, according to their clans, languages, lands, and nations."
},
{
"verseNum": 32,
"text": "All these are the clans of Noahs sons, according to their generations and nations. From these the nations of the earth spread out after the flood."
}
]
}

View File

@@ -0,0 +1,133 @@
{
"chapterNum": 11,
"verses": [
{
"verseNum": 1,
"text": "Now the whole world had one language and a common form of speech."
},
{
"verseNum": 2,
"text": "And as people journeyed eastward, they found a plain in the land of Shinar and settled there."
},
{
"verseNum": 3,
"text": "And they said to one another, “Come, let us make bricks and bake them thoroughly.” So they used brick instead of stone, and tar instead of mortar."
},
{
"verseNum": 4,
"text": "“Come,” they said, “let us build for ourselves a city with a tower that reaches to the heavens, that we may make a name for ourselves and not be scattered over the face of all the earth.”"
},
{
"verseNum": 5,
"text": "Then the LORD came down to see the city and the tower that the sons of men were building."
},
{
"verseNum": 6,
"text": "And the LORD said, “If they have begun to do this as one people speaking the same language, then nothing they devise will be beyond them."
},
{
"verseNum": 7,
"text": "Come, let Us go down and confuse their language, so that they will not understand one anothers speech.”"
},
{
"verseNum": 8,
"text": "So the LORD scattered them from there over the face of all the earth, and they stopped building the city."
},
{
"verseNum": 9,
"text": "That is why it is called Babel, for there the LORD confused the language of the whole world, and from that place the LORD scattered them over the face of all the earth."
},
{
"verseNum": 10,
"text": "This is the account of Shem. Two years after the flood, when Shem was 100 years old, he became the father of Arphaxad."
},
{
"verseNum": 11,
"text": "And after he had become the father of Arphaxad, Shem lived 500 years and had other sons and daughters."
},
{
"verseNum": 12,
"text": "When Arphaxad was 35 years old, he became the father of Shelah."
},
{
"verseNum": 13,
"text": "And after he had become the father of Shelah, Arphaxad lived 403 years and had other sons and daughters."
},
{
"verseNum": 14,
"text": "When Shelah was 30 years old, he became the father of Eber."
},
{
"verseNum": 15,
"text": "And after he had become the father of Eber, Shelah lived 403 years and had other sons and daughters."
},
{
"verseNum": 16,
"text": "When Eber was 34 years old, he became the father of Peleg."
},
{
"verseNum": 17,
"text": "And after he had become the father of Peleg, Eber lived 430 years and had other sons and daughters."
},
{
"verseNum": 18,
"text": "When Peleg was 30 years old, he became the father of Reu."
},
{
"verseNum": 19,
"text": "And after he had become the father of Reu, Peleg lived 209 years and had other sons and daughters."
},
{
"verseNum": 20,
"text": "When Reu was 32 years old, he became the father of Serug."
},
{
"verseNum": 21,
"text": "And after he had become the father of Serug, Reu lived 207 years and had other sons and daughters."
},
{
"verseNum": 22,
"text": "When Serug was 30 years old, he became the father of Nahor."
},
{
"verseNum": 23,
"text": "And after he had become the father of Nahor, Serug lived 200 years and had other sons and daughters."
},
{
"verseNum": 24,
"text": "When Nahor was 29 years old, he became the father of Terah."
},
{
"verseNum": 25,
"text": "And after he had become the father of Terah, Nahor lived 119 years and had other sons and daughters."
},
{
"verseNum": 26,
"text": "When Terah was 70 years old, he became the father of Abram, Nahor, and Haran."
},
{
"verseNum": 27,
"text": "This is the account of Terah. Terah became the father of Abram, Nahor, and Haran. And Haran became the father of Lot."
},
{
"verseNum": 28,
"text": "During his father Terahs lifetime, Haran died in his native land, in Ur of the Chaldeans."
},
{
"verseNum": 29,
"text": "And Abram and Nahor took wives for themselves. Abrams wife was named Sarai, and Nahors wife was named Milcah; she was the daughter of Haran, who was the father of both Milcah and Iscah."
},
{
"verseNum": 30,
"text": "But Sarai was barren; she had no children."
},
{
"verseNum": 31,
"text": "And Terah took his son Abram, his grandson Lot son of Haran, and his daughter-in-law Sarai the wife of Abram, and they set out from Ur of the Chaldeans for the land of Canaan. But when they arrived in Haran, they settled there."
},
{
"verseNum": 32,
"text": "Terah lived 205 years, and he died in Haran."
}
]
}

View File

@@ -0,0 +1,85 @@
{
"chapterNum": 12,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD said to Abram, “Leave your country, your kindred, and your fathers household, and go to the land I will show you."
},
{
"verseNum": 2,
"text": "I will make you into a great nation,\n and I will bless you;\n I will make your name great,\n so that you will be a blessing."
},
{
"verseNum": 3,
"text": "I will bless those who bless you\n and curse those who curse you;\n and all the families of the earth\n will be blessed through you.”"
},
{
"verseNum": 4,
"text": "So Abram departed, as the LORD had directed him, and Lot went with him. Abram was seventy-five years old when he left Haran."
},
{
"verseNum": 5,
"text": "And Abram took his wife Sarai, his nephew Lot, and all the possessions and people they had acquired in Haran, and set out for the land of Canaan.\n \nWhen they came to the land of Canaan,"
},
{
"verseNum": 6,
"text": "Abram traveled through the land as far as the site of the Oak of Moreh at Shechem. And at that time the Canaanites were in the land."
},
{
"verseNum": 7,
"text": "Then the LORD appeared to Abram and said, “I will give this land to your offspring.” So Abram built an altar there to the LORD, who had appeared to him."
},
{
"verseNum": 8,
"text": "From there Abram moved on to the hill country east of Bethel and pitched his tent, with Bethel to the west and Ai to the east. There he built an altar to the LORD, and he called on the name of the LORD."
},
{
"verseNum": 9,
"text": "And Abram journeyed on toward the Negev."
},
{
"verseNum": 10,
"text": "Now there was a famine in the land. So Abram went down to Egypt to live there for a while because the famine was severe."
},
{
"verseNum": 11,
"text": "As he was about to enter Egypt, he said to his wife Sarai, “Look, I know that you are a beautiful woman,"
},
{
"verseNum": 12,
"text": "and when the Egyptians see you, they will say, This is his wife. Then they will kill me but will let you live."
},
{
"verseNum": 13,
"text": "Please say you are my sister, so that I will be treated well for your sake, and on account of you my life will be spared.”"
},
{
"verseNum": 14,
"text": "So when Abram entered Egypt, the Egyptians saw that the woman was very beautiful."
},
{
"verseNum": 15,
"text": "When Pharaohs officials saw Sarai, they commended her to him, and she was taken into the palace of Pharaoh."
},
{
"verseNum": 16,
"text": "He treated Abram well on her account, and Abram acquired sheep and cattle, male and female donkeys, menservants and maidservants, and camels."
},
{
"verseNum": 17,
"text": "The LORD, however, afflicted Pharaoh and his household with severe plagues because of Abrams wife Sarai."
},
{
"verseNum": 18,
"text": "So Pharaoh summoned Abram and asked, “What have you done to me? Why didnt you tell me she was your wife?"
},
{
"verseNum": 19,
"text": "Why did you say, She is my sister, so that I took her as my wife? Now then, here is your wife. Take her and go!”"
},
{
"verseNum": 20,
"text": "Then Pharaoh gave his men orders concerning Abram, and they sent him away with his wife and all his possessions."
}
]
}

View File

@@ -0,0 +1,77 @@
{
"chapterNum": 13,
"verses": [
{
"verseNum": 1,
"text": "So Abram went up out of Egypt into the Negev—he and his wife and all his possessions—and Lot was with him."
},
{
"verseNum": 2,
"text": "And Abram had become extremely wealthy in livestock and silver and gold."
},
{
"verseNum": 3,
"text": "From the Negev he journeyed from place to place toward Bethel, until he came to the place between Bethel and Ai where his tent had formerly been pitched,"
},
{
"verseNum": 4,
"text": "to the site where he had built the altar. And there Abram called on the name of the LORD."
},
{
"verseNum": 5,
"text": "Now Lot, who was traveling with Abram, also had flocks and herds and tents."
},
{
"verseNum": 6,
"text": "But the land was unable to support both of them while they stayed together, for they had so many possessions that they were unable to coexist."
},
{
"verseNum": 7,
"text": "And there was discord between the herdsmen of Abram and the herdsmen of Lot. At that time the Canaanites and the Perizzites were also living in the land."
},
{
"verseNum": 8,
"text": "So Abram said to Lot, “Please let there be no contention between you and me, or between your herdsmen and my herdsmen. After all, we are brothers."
},
{
"verseNum": 9,
"text": "Is not the whole land before you? Now separate yourself from me. If you go to the left, I will go to the right; if you go to the right, I will go to the left.”"
},
{
"verseNum": 10,
"text": "And Lot looked out and saw that the whole plain of the Jordan, all the way to Zoar, was well watered like the garden of the LORD, like the land of Egypt. (This was before the LORD destroyed Sodom and Gomorrah.)"
},
{
"verseNum": 11,
"text": "So Lot chose the whole plain of the Jordan for himself and set out toward the east. And Abram and Lot parted company."
},
{
"verseNum": 12,
"text": "Abram lived in the land of Canaan, but Lot settled in the cities of the plain and pitched his tent toward Sodom."
},
{
"verseNum": 13,
"text": "But the men of Sodom were wicked, sinning greatly against the LORD."
},
{
"verseNum": 14,
"text": "After Lot had departed, the LORD said to Abram, “Now lift up your eyes from the place where you are, and look to the north and south and east and west,"
},
{
"verseNum": 15,
"text": "for all the land that you see, I will give to you and your offspring forever."
},
{
"verseNum": 16,
"text": "I will make your offspring like the dust of the earth, so that if one could count the dust of the earth, then your offspring could be counted."
},
{
"verseNum": 17,
"text": "Get up and walk around the land, through its length and breadth, for I will give it to you.”"
},
{
"verseNum": 18,
"text": "So Abram moved his tent and went to live near the Oaks of Mamre at Hebron, where he built an altar to the LORD."
}
]
}

View File

@@ -0,0 +1,101 @@
{
"chapterNum": 14,
"verses": [
{
"verseNum": 1,
"text": "In those days Amraphel king of Shinar, Arioch king of Ellasar, Chedorlaomer king of Elam, and Tidal king of Goiim"
},
{
"verseNum": 2,
"text": "went to war against Bera king of Sodom, Birsha king of Gomorrah, Shinab king of Admah, Shemeber king of Zeboiim, and the king of Bela (that is, Zoar)."
},
{
"verseNum": 3,
"text": "The latter five came as allies to the Valley of Siddim (that is, the Salt Sea )."
},
{
"verseNum": 4,
"text": "For twelve years they had been subject to Chedorlaomer, but in the thirteenth year they rebelled."
},
{
"verseNum": 5,
"text": "In the fourteenth year, Chedorlaomer and the kings allied with him went out and defeated the Rephaites in Ashteroth-karnaim, the Zuzites in Ham, the Emites in Shaveh-kiriathaim,"
},
{
"verseNum": 6,
"text": "and the Horites in the area of Mount Seir, as far as El-paran, which is near the desert."
},
{
"verseNum": 7,
"text": "Then they turned back to invade En-mishpat (that is, Kadesh), and they conquered the whole territory of the Amalekites, as well as the Amorites who lived in Hazazon-tamar."
},
{
"verseNum": 8,
"text": "Then the king of Sodom, the king of Gomorrah, the king of Admah, the king of Zeboiim, and the king of Bela (that is, Zoar) marched out and arrayed themselves for battle in the Valley of Siddim"
},
{
"verseNum": 9,
"text": "against Chedorlaomer king of Elam, Tidal king of Goiim, Amraphel king of Shinar, and Arioch king of Ellasar—four kings against five."
},
{
"verseNum": 10,
"text": "Now the Valley of Siddim was full of tar pits, and as the kings of Sodom and Gomorrah fled, some men fell into the pits, but the survivors fled to the hill country."
},
{
"verseNum": 11,
"text": "The four kings seized all the goods of Sodom and Gomorrah and all their food, and they went on their way."
},
{
"verseNum": 12,
"text": "They also carried off Abrams nephew Lot and his possessions, since Lot was living in Sodom."
},
{
"verseNum": 13,
"text": "Then an escapee came and reported this to Abram the Hebrew. Now Abram was living near the Oaks of Mamre the Amorite, a brother of Eshcol and Aner, all of whom were bound by treaty to Abram."
},
{
"verseNum": 14,
"text": "And when Abram heard that his relative had been captured, he mobilized the 318 trained men born in his household, and they set out in pursuit as far as Dan."
},
{
"verseNum": 15,
"text": "During the night, Abram divided his forces and routed Chedorlaomers army, pursuing them as far as Hobah, north of Damascus."
},
{
"verseNum": 16,
"text": "He retrieved all the goods, as well as his relative Lot and his possessions, together with the women and the rest of the people."
},
{
"verseNum": 17,
"text": "After Abram returned from defeating Chedorlaomer and the kings allied with him, the king of Sodom went out to meet him in the Valley of Shaveh (that is, the Kings Valley)."
},
{
"verseNum": 18,
"text": "Then Melchizedek king of Salem brought out bread and wine—since he was priest of God Most High —"
},
{
"verseNum": 19,
"text": "and he blessed Abram and said:\n \n “Blessed be Abram by God Most High,\n Creator of heaven and earth,"
},
{
"verseNum": 20,
"text": "and blessed be God Most High,\n who has delivered your enemies into your hand.”\n \nThen Abram gave Melchizedek a tenth of everything."
},
{
"verseNum": 21,
"text": "The king of Sodom said to Abram, “Give me the people, but take the goods for yourself.”"
},
{
"verseNum": 22,
"text": "But Abram replied to the king of Sodom, “I have raised my hand to the LORD God Most High, Creator of heaven and earth,"
},
{
"verseNum": 23,
"text": "that I will not accept even a thread, or a strap of a sandal, or anything that belongs to you, lest you should say, I have made Abram rich."
},
{
"verseNum": 24,
"text": "I will accept nothing but what my men have eaten and the share for the men who went with me—Aner, Eshcol, and Mamre. They may take their portion.”"
}
]
}

View File

@@ -0,0 +1,89 @@
{
"chapterNum": 15,
"verses": [
{
"verseNum": 1,
"text": "After these events, the word of the LORD came to Abram in a vision:\n \n “Do not be afraid, Abram.\n I am your shield,\n your very great reward.”"
},
{
"verseNum": 2,
"text": "But Abram replied, “O Lord GOD, what can You give me, since I remain childless, and the heir of my house is Eliezer of Damascus?”"
},
{
"verseNum": 3,
"text": "Abram continued, “Behold, You have given me no offspring, so a servant in my household will be my heir.”"
},
{
"verseNum": 4,
"text": "Then the word of the LORD came to Abram, saying, “This one will not be your heir, but one who comes from your own body will be your heir.”"
},
{
"verseNum": 5,
"text": "And the LORD took him outside and said, “Now look to the heavens and count the stars, if you are able.” Then He told him, “So shall your offspring be.”"
},
{
"verseNum": 6,
"text": "Abram believed the LORD, and it was credited to him as righteousness."
},
{
"verseNum": 7,
"text": "The LORD also told him, “I am the LORD, who brought you out of Ur of the Chaldeans to give you this land to possess.”"
},
{
"verseNum": 8,
"text": "But Abram replied, “Lord GOD, how can I know that I will possess it?”"
},
{
"verseNum": 9,
"text": "And the LORD said to him, “Bring Me a heifer, a goat, and a ram, each three years old, along with a turtledove and a young pigeon.”"
},
{
"verseNum": 10,
"text": "So Abram brought all these to Him, split each of them down the middle, and laid the halves opposite each other. The birds, however, he did not cut in half."
},
{
"verseNum": 11,
"text": "And the birds of prey descended on the carcasses, but Abram drove them away."
},
{
"verseNum": 12,
"text": "As the sun was setting, Abram fell into a deep sleep, and suddenly great terror and darkness overwhelmed him."
},
{
"verseNum": 13,
"text": "Then the LORD said to Abram, “Know for certain that your descendants will be strangers in a land that is not their own, and they will be enslaved and mistreated four hundred years."
},
{
"verseNum": 14,
"text": "But I will judge the nation they serve as slaves, and afterward they will depart with many possessions."
},
{
"verseNum": 15,
"text": "You, however, will go to your fathers in peace and be buried at a ripe old age."
},
{
"verseNum": 16,
"text": "In the fourth generation your descendants will return here, for the iniquity of the Amorites is not yet complete.”"
},
{
"verseNum": 17,
"text": "When the sun had set and darkness had fallen, behold, a smoking firepot and a flaming torch appeared and passed between the halves of the carcasses."
},
{
"verseNum": 18,
"text": "On that day the LORD made a covenant with Abram, saying, “To your descendants I have given this land—from the river of Egypt to the great River Euphrates—"
},
{
"verseNum": 19,
"text": "the land of the Kenites, Kenizzites, Kadmonites,"
},
{
"verseNum": 20,
"text": "Hittites, Perizzites, Rephaites,"
},
{
"verseNum": 21,
"text": "Amorites, Canaanites, Girgashites, and Jebusites.”"
}
]
}

View File

@@ -0,0 +1,69 @@
{
"chapterNum": 16,
"verses": [
{
"verseNum": 1,
"text": "Now Abrams wife Sarai had borne him no children, but she had an Egyptian maidservant named Hagar."
},
{
"verseNum": 2,
"text": "So Sarai said to Abram, “Look now, the LORD has prevented me from bearing children. Please go to my maidservant; perhaps I can build a family by her.”\n \nAnd Abram listened to the voice of Sarai."
},
{
"verseNum": 3,
"text": "So after he had lived in Canaan for ten years, his wife Sarai took her Egyptian maidservant Hagar and gave her to Abram to be his wife."
},
{
"verseNum": 4,
"text": "And he slept with Hagar, and she conceived. But when Hagar realized that she was pregnant, she began to despise her mistress."
},
{
"verseNum": 5,
"text": "Then Sarai said to Abram, “May the wrong done to me be upon you! I delivered my servant into your arms, and ever since she saw that she was pregnant, she has treated me with contempt. May the LORD judge between you and me.”"
},
{
"verseNum": 6,
"text": "“Here,” said Abram, “your servant is in your hands. Do whatever you want with her.” Then Sarai treated Hagar so harshly that she fled from her."
},
{
"verseNum": 7,
"text": "Now the angel of the LORD found Hagar by a spring of water in the desert—the spring along the road to Shur."
},
{
"verseNum": 8,
"text": "“Hagar, servant of Sarai,” he said, “where have you come from, and where are you going?”\n \n“I am running away from my mistress Sarai,” she replied."
},
{
"verseNum": 9,
"text": "So the angel of the LORD told her, “Return to your mistress and submit to her authority.”"
},
{
"verseNum": 10,
"text": "Then the angel added, “I will greatly multiply your offspring so that they will be too numerous to count.”"
},
{
"verseNum": 11,
"text": "The angel of the LORD proceeded:\n \n “Behold, you have conceived and will bear a son.\n And you shall name him Ishmael,\n for the LORD has heard your cry of affliction."
},
{
"verseNum": 12,
"text": "He will be a wild donkey of a man,\n and his hand will be against everyone,\n and everyones hand against him;\n he will live in hostility\n toward all his brothers.”"
},
{
"verseNum": 13,
"text": "So Hagar gave this name to the LORD who had spoken to her: “You are the God who sees me,” for she said, “Here I have seen the One who sees me!”"
},
{
"verseNum": 14,
"text": "Therefore the well was called Beer-lahai-roi. It is located between Kadesh and Bered."
},
{
"verseNum": 15,
"text": "And Hagar bore Abram a son, and Abram gave the name Ishmael to the son she had borne."
},
{
"verseNum": 16,
"text": "Abram was eighty-six years old when Hagar bore Ishmael to him."
}
]
}

View File

@@ -0,0 +1,113 @@
{
"chapterNum": 17,
"verses": [
{
"verseNum": 1,
"text": "When Abram was ninety-nine years old, the LORD appeared to him and said, “I am God Almighty. Walk before Me and be blameless."
},
{
"verseNum": 2,
"text": "I will establish My covenant between Me and you, and I will multiply you exceedingly.”"
},
{
"verseNum": 3,
"text": "Then Abram fell facedown, and God said to him,"
},
{
"verseNum": 4,
"text": "“As for Me, this is My covenant with you: You will be the father of many nations."
},
{
"verseNum": 5,
"text": "No longer will you be called Abram, but your name will be Abraham, for I have made you a father of many nations."
},
{
"verseNum": 6,
"text": "I will make you exceedingly fruitful; I will make nations of you, and kings will descend from you."
},
{
"verseNum": 7,
"text": "I will establish My covenant as an everlasting covenant between Me and you and your descendants after you, to be your God and the God of your descendants after you."
},
{
"verseNum": 8,
"text": "And to you and your descendants I will give the land where you are residing—all the land of Canaan—as an eternal possession; and I will be their God.”"
},
{
"verseNum": 9,
"text": "God also said to Abraham, “You must keep My covenant—you and your descendants in the generations after you."
},
{
"verseNum": 10,
"text": "This is My covenant with you and your descendants after you, which you are to keep: Every male among you must be circumcised."
},
{
"verseNum": 11,
"text": "You are to circumcise the flesh of your foreskin, and this will be a sign of the covenant between Me and you."
},
{
"verseNum": 12,
"text": "Generation after generation, every male must be circumcised when he is eight days old, including those born in your household and those purchased from a foreigner—even those who are not your offspring."
},
{
"verseNum": 13,
"text": "Whether they are born in your household or purchased, they must be circumcised. My covenant in your flesh will be an everlasting covenant."
},
{
"verseNum": 14,
"text": "But if any male is not circumcised, he will be cut off from his people; he has broken My covenant.”"
},
{
"verseNum": 15,
"text": "Then God said to Abraham, “As for Sarai your wife, do not call her Sarai, for her name is to be Sarah."
},
{
"verseNum": 16,
"text": "And I will bless her and will surely give you a son by her. I will bless her, and she will be the mother of nations; kings of peoples will descend from her.”"
},
{
"verseNum": 17,
"text": "Abraham fell facedown. Then he laughed and said to himself, “Can a child be born to a man who is a hundred years old? Can Sarah give birth at the age of ninety?”"
},
{
"verseNum": 18,
"text": "And Abraham said to God, “O that Ishmael might live under Your blessing!”"
},
{
"verseNum": 19,
"text": "But God replied, “Your wife Sarah will indeed bear you a son, and you are to name him Isaac. I will establish My covenant with him as an everlasting covenant for his descendants after him."
},
{
"verseNum": 20,
"text": "As for Ishmael, I have heard you, and I will surely bless him; I will make him fruitful and multiply him greatly. He will become the father of twelve rulers, and I will make him into a great nation."
},
{
"verseNum": 21,
"text": "But I will establish My covenant with Isaac, whom Sarah will bear to you at this time next year.”"
},
{
"verseNum": 22,
"text": "When He had finished speaking with Abraham, God went up from him."
},
{
"verseNum": 23,
"text": "On that very day Abraham took his son Ishmael and all those born in his household or purchased with his money—every male among the members of Abrahams household—and he circumcised them, just as God had told him."
},
{
"verseNum": 24,
"text": "So Abraham was ninety-nine years old when he was circumcised,"
},
{
"verseNum": 25,
"text": "and his son Ishmael was thirteen;"
},
{
"verseNum": 26,
"text": "Abraham and his son Ishmael were circumcised on the same day."
},
{
"verseNum": 27,
"text": "And all the men of Abrahams household—both servants born in his household and those purchased from foreigners—were circumcised with him."
}
]
}

View File

@@ -0,0 +1,137 @@
{
"chapterNum": 18,
"verses": [
{
"verseNum": 1,
"text": "Then the LORD appeared to Abraham by the Oaks of Mamre in the heat of the day, while he was sitting at the entrance of his tent."
},
{
"verseNum": 2,
"text": "And Abraham looked up and saw three men standing nearby. When he saw them, he ran from the entrance of his tent to meet them and bowed low to the ground."
},
{
"verseNum": 3,
"text": "“My lord,” said Abraham, “if I have found favor in your sight, please do not pass your servant by."
},
{
"verseNum": 4,
"text": "Let a little water be brought, that you may wash your feet and rest yourselves under the tree."
},
{
"verseNum": 5,
"text": "And I will bring a bit of bread so that you may refresh yourselves. This is why you have passed your servants way. After that, you may continue on your way.”\n \n“Yes,” they replied, “you may do as you have said.”"
},
{
"verseNum": 6,
"text": "So Abraham hurried into the tent and said to Sarah, “Quick! Prepare three seahs of fine flour, knead it, and bake some bread.”"
},
{
"verseNum": 7,
"text": "Meanwhile, Abraham ran to the herd, selected a tender and choice calf, and gave it to a servant, who hurried to prepare it."
},
{
"verseNum": 8,
"text": "Then Abraham brought curds and milk and the calf that had been prepared, and he set them before the men and stood by them under the tree as they ate."
},
{
"verseNum": 9,
"text": "“Where is your wife Sarah?” they asked.\n \n“There, in the tent,” he replied."
},
{
"verseNum": 10,
"text": "Then the LORD said, “I will surely return to you at this time next year, and your wife Sarah will have a son!”\n \nNow Sarah was behind him, listening at the entrance to the tent."
},
{
"verseNum": 11,
"text": "And Abraham and Sarah were already old and well along in years; Sarah had passed the age of childbearing."
},
{
"verseNum": 12,
"text": "So she laughed to herself, saying, “After I am worn out and my master is old, will I now have this pleasure?”"
},
{
"verseNum": 13,
"text": "And the LORD asked Abraham, “Why did Sarah laugh and say, Can I really bear a child when I am old?"
},
{
"verseNum": 14,
"text": "Is anything too difficult for the LORD? At the appointed time I will return to you—in about a year—and Sarah will have a son.”"
},
{
"verseNum": 15,
"text": "But Sarah was afraid, so she denied it and said, “I did not laugh.”\n \n“No,” replied the LORD, “but you did laugh.”"
},
{
"verseNum": 16,
"text": "When the men got up to leave, they looked out over Sodom, and Abraham walked along with them to see them off."
},
{
"verseNum": 17,
"text": "And the LORD said, “Shall I hide from Abraham what I am about to do?"
},
{
"verseNum": 18,
"text": "Abraham will surely become a great and powerful nation, and through him all the nations of the earth will be blessed."
},
{
"verseNum": 19,
"text": "For I have chosen him, so that he will command his children and his household after him to keep the way of the LORD by doing what is right and just, in order that the LORD may bring upon Abraham what He has promised.”"
},
{
"verseNum": 20,
"text": "Then the LORD said, “The outcry against Sodom and Gomorrah is great. Because their sin is so grievous,"
},
{
"verseNum": 21,
"text": "I will go down to see if their actions fully justify the outcry that has reached Me. If not, I will find out.”"
},
{
"verseNum": 22,
"text": "And the two men turned away and went toward Sodom, but Abraham remained standing before the LORD."
},
{
"verseNum": 23,
"text": "Abraham stepped forward and said, “Will You really sweep away the righteous with the wicked?"
},
{
"verseNum": 24,
"text": "What if there are fifty righteous ones in the city? Will You really sweep it away and not spare the place for the sake of the fifty righteous ones who are there?"
},
{
"verseNum": 25,
"text": "Far be it from You to do such a thing—to kill the righteous with the wicked, so that the righteous and the wicked are treated alike. Far be it from You! Will not the Judge of all the earth do what is right?”"
},
{
"verseNum": 26,
"text": "So the LORD replied, “If I find fifty righteous ones within the city of Sodom, on their account I will spare the whole place.”"
},
{
"verseNum": 27,
"text": "Then Abraham answered, “Now that I have ventured to speak to the Lord—though I am but dust and ashes—"
},
{
"verseNum": 28,
"text": "suppose the fifty righteous ones lack five. Will You destroy the whole city for the lack of five?”\n \nHe replied, “If I find forty-five there, I will not destroy it.”"
},
{
"verseNum": 29,
"text": "Once again Abraham spoke to the LORD, “Suppose forty are found there?”\n \nHe answered, “On account of the forty, I will not do it.”"
},
{
"verseNum": 30,
"text": "Then Abraham said, “May the Lord not be angry, but let me speak further. Suppose thirty are found there?”\n \nHe replied, “If I find thirty there, I will not do it.”"
},
{
"verseNum": 31,
"text": "And Abraham said, “Now that I have ventured to speak to the Lord, suppose twenty are found there?”\n \nHe answered, “On account of the twenty, I will not destroy it.”"
},
{
"verseNum": 32,
"text": "Finally, Abraham said, “May the Lord not be angry, but let me speak once more. Suppose ten are found there?”\n \nAnd He answered, “On account of the ten, I will not destroy it.”"
},
{
"verseNum": 33,
"text": "When the LORD had finished speaking with Abraham, He departed, and Abraham returned home."
}
]
}

View File

@@ -0,0 +1,157 @@
{
"chapterNum": 19,
"verses": [
{
"verseNum": 1,
"text": "Now the two angels arrived at Sodom in the evening, and Lot was sitting in the gateway of the city. When Lot saw them, he got up to meet them, bowed facedown,"
},
{
"verseNum": 2,
"text": "and said, “My lords, please turn aside into the house of your servant; wash your feet and spend the night. Then you can rise early and go on your way.”\n \n“No,” they answered, “we will spend the night in the square.”"
},
{
"verseNum": 3,
"text": "But Lot insisted so strongly that they followed him into his house. He prepared a feast for them and baked unleavened bread, and they ate."
},
{
"verseNum": 4,
"text": "Before they had gone to bed, all the men of the city of Sodom, both young and old, surrounded the house."
},
{
"verseNum": 5,
"text": "They called out to Lot, saying, “Where are the men who came to you tonight? Send them out to us so we can have relations with them!”"
},
{
"verseNum": 6,
"text": "Lot went outside to meet them, shutting the door behind him."
},
{
"verseNum": 7,
"text": "“Please, my brothers,” he pleaded, “dont do such a wicked thing!"
},
{
"verseNum": 8,
"text": "Look, I have two daughters who have never slept with a man. Let me bring them to you, and you can do to them as you please. But do not do anything to these men, for they have come under the protection of my roof.”"
},
{
"verseNum": 9,
"text": "“Get out of the way!” they replied. And they declared, “This one came here as a foreigner, and he is already acting like a judge! Now we will treat you worse than them.” And they pressed in on Lot and moved in to break down the door."
},
{
"verseNum": 10,
"text": "But the men inside reached out, pulled Lot into the house with them, and shut the door."
},
{
"verseNum": 11,
"text": "And they struck the men at the entrance, young and old, with blindness, so that they wearied themselves trying to find the door."
},
{
"verseNum": 12,
"text": "Then the two men said to Lot, “Do you have anyone else here—a son-in-law, your sons or daughters, or anyone else in the city who belongs to you? Get them out of here,"
},
{
"verseNum": 13,
"text": "because we are about to destroy this place. For the outcry to the LORD against its people is so great that He has sent us to destroy it.”"
},
{
"verseNum": 14,
"text": "So Lot went out and spoke to the sons-in-law who were pledged in marriage to his daughters. “Get up,” he said. “Get out of this place, for the LORD is about to destroy the city!” But his sons-in-law thought he was joking."
},
{
"verseNum": 15,
"text": "At daybreak the angels hurried Lot along, saying, “Get up! Take your wife and your two daughters who are here, or you will be swept away in the punishment of the city.”"
},
{
"verseNum": 16,
"text": "But when Lot hesitated, the men grabbed his hand and the hands of his wife and his two daughters. And they led them safely out of the city, because of the LORDs compassion for them."
},
{
"verseNum": 17,
"text": "As soon as the men had brought them out, one of them said, “Run for your lives! Do not look back, and do not stop anywhere on the plain! Flee to the mountains, or you will be swept away!”"
},
{
"verseNum": 18,
"text": "But Lot replied, “No, my lords, please!"
},
{
"verseNum": 19,
"text": "Your servant has indeed found favor in your sight, and you have shown me great kindness by sparing my life. But I cannot run to the mountains; the disaster will overtake me, and I will die."
},
{
"verseNum": 20,
"text": "Look, there is a town nearby where I can flee, and it is a small place. Please let me flee there—is it not a small place? Then my life will be saved.”"
},
{
"verseNum": 21,
"text": "“Very well,” he answered, “I will grant this request as well, and will not demolish the town you indicate."
},
{
"verseNum": 22,
"text": "Hurry! Run there quickly, for I cannot do anything until you reach it.” That is why the town was called Zoar."
},
{
"verseNum": 23,
"text": "And by the time the sun had risen over the land, Lot had reached Zoar."
},
{
"verseNum": 24,
"text": "Then the LORD rained down sulfur and fire on Sodom and Gomorrah—from the LORD out of the heavens."
},
{
"verseNum": 25,
"text": "Thus He destroyed these cities and the entire plain, including all the inhabitants of the cities and everything that grew on the ground."
},
{
"verseNum": 26,
"text": "But Lots wife looked back, and she became a pillar of salt."
},
{
"verseNum": 27,
"text": "Early the next morning, Abraham got up and returned to the place where he had stood before the LORD."
},
{
"verseNum": 28,
"text": "He looked down toward Sodom and Gomorrah and all the land of the plain, and he saw the smoke rising from the land like smoke from a furnace."
},
{
"verseNum": 29,
"text": "So when God destroyed the cities of the plain, He remembered Abraham, and He brought Lot out of the catastrophe that destroyed the cities where he had lived."
},
{
"verseNum": 30,
"text": "Lot and his two daughters left Zoar and settled in the mountains—for he was afraid to stay in Zoar—where they lived in a cave."
},
{
"verseNum": 31,
"text": "One day the older daughter said to the younger, “Our father is old, and there is no man in the land to sleep with us, as is the custom over all the earth."
},
{
"verseNum": 32,
"text": "Come, let us get our father drunk with wine so we can sleep with him and preserve his line.”"
},
{
"verseNum": 33,
"text": "So that night they got their father drunk with wine, and the firstborn went in and slept with her father; he was not aware when she lay down or when she got up."
},
{
"verseNum": 34,
"text": "The next day the older daughter said to the younger, “Look, I slept with my father last night. Let us get him drunk with wine again tonight so you can go in and sleep with him and we can preserve our fathers line.”"
},
{
"verseNum": 35,
"text": "So again that night they got their father drunk with wine, and the younger daughter went in and slept with him; he was not aware when she lay down or when she got up."
},
{
"verseNum": 36,
"text": "Thus both of Lots daughters became pregnant by their father."
},
{
"verseNum": 37,
"text": "The older daughter gave birth to a son and named him Moab. He is the father of the Moabites of today."
},
{
"verseNum": 38,
"text": "The younger daughter also gave birth to a son, and she named him Ben-ammi. He is the father of the Ammonites of today."
}
]
}

View File

@@ -0,0 +1,105 @@
{
"chapterNum": 2,
"verses": [
{
"verseNum": 1,
"text": "Thus the heavens and the earth were completed in all their vast array."
},
{
"verseNum": 2,
"text": "And by the seventh day God had finished the work He had been doing; so on that day He rested from all His work."
},
{
"verseNum": 3,
"text": "Then God blessed the seventh day and sanctified it, because on that day He rested from all the work of creation that He had accomplished."
},
{
"verseNum": 4,
"text": "This is the account of the heavens and the earth when they were created, in the day that the LORD God made them."
},
{
"verseNum": 5,
"text": "Now no shrub of the field had yet appeared on the earth, nor had any plant of the field sprouted; for the LORD God had not yet sent rain upon the earth, and there was no man to cultivate the ground."
},
{
"verseNum": 6,
"text": "But springs welled up from the earth and watered the whole surface of the ground."
},
{
"verseNum": 7,
"text": "Then the LORD God formed man from the dust of the ground and breathed the breath of life into his nostrils, and the man became a living being."
},
{
"verseNum": 8,
"text": "And the LORD God planted a garden in Eden, in the east, where He placed the man He had formed."
},
{
"verseNum": 9,
"text": "Out of the ground the LORD God gave growth to every tree that is pleasing to the eye and good for food. And in the middle of the garden were the tree of life and the tree of the knowledge of good and evil."
},
{
"verseNum": 10,
"text": "Now a river flowed out of Eden to water the garden, and from there it branched into four headwaters:"
},
{
"verseNum": 11,
"text": "The name of the first river is Pishon; it winds through the whole land of Havilah, where there is gold."
},
{
"verseNum": 12,
"text": "And the gold of that land is pure, and bdellium and onyx are found there."
},
{
"verseNum": 13,
"text": "The name of the second river is Gihon; it winds through the whole land of Cush."
},
{
"verseNum": 14,
"text": "The name of the third river is Hiddekel; it runs along the east side of Assyria.\n \n And the fourth river is the Euphrates."
},
{
"verseNum": 15,
"text": "Then the LORD God took the man and placed him in the Garden of Eden to cultivate and keep it."
},
{
"verseNum": 16,
"text": "And the LORD God commanded him, “You may eat freely from every tree of the garden,"
},
{
"verseNum": 17,
"text": "but you must not eat from the tree of the knowledge of good and evil; for in the day that you eat of it, you will surely die.”"
},
{
"verseNum": 18,
"text": "The LORD God also said, “It is not good for the man to be alone. I will make for him a suitable helper.”"
},
{
"verseNum": 19,
"text": "And out of the ground the LORD God formed every beast of the field and every bird of the air, and He brought them to the man to see what he would name each one. And whatever the man called each living creature, that was its name."
},
{
"verseNum": 20,
"text": "The man gave names to all the livestock, to the birds of the air, and to every beast of the field. But for Adam no suitable helper was found."
},
{
"verseNum": 21,
"text": "So the LORD God caused the man to fall into a deep sleep, and while he slept, He took one of the mans ribs and closed up the area with flesh."
},
{
"verseNum": 22,
"text": "And from the rib that the LORD God had taken from the man, He made a woman and brought her to him."
},
{
"verseNum": 23,
"text": "And the man said:\n \n “This is now bone of my bones\n and flesh of my flesh;\n she shall be called woman,\n for out of man she was taken.”"
},
{
"verseNum": 24,
"text": "For this reason a man will leave his father and mother and be united to his wife, and they will become one flesh."
},
{
"verseNum": 25,
"text": "And the man and his wife were both naked, and they were not ashamed."
}
]
}

View File

@@ -0,0 +1,77 @@
{
"chapterNum": 20,
"verses": [
{
"verseNum": 1,
"text": "Now Abraham journeyed from there to the region of the Negev and settled between Kadesh and Shur. While he was staying in Gerar,"
},
{
"verseNum": 2,
"text": "Abraham said of his wife Sarah, “She is my sister.” So Abimelech king of Gerar had Sarah brought to him."
},
{
"verseNum": 3,
"text": "One night, however, God came to Abimelech in a dream and told him, “You are as good as dead because of the woman you have taken, for she is a married woman.”"
},
{
"verseNum": 4,
"text": "Now Abimelech had not gone near her, so he replied, “Lord, would You destroy a nation even though it is innocent?"
},
{
"verseNum": 5,
"text": "Didnt Abraham tell me, She is my sister? And she herself said, He is my brother. I have done this in the integrity of my heart and the innocence of my hands.”"
},
{
"verseNum": 6,
"text": "Then God said to Abimelech in the dream, “Yes, I know that you did this with a clear conscience, and so I have kept you from sinning against Me. That is why I did not let you touch her."
},
{
"verseNum": 7,
"text": "Now return the mans wife, for he is a prophet; he will pray for you and you will live. But if you do not restore her, be aware that you will surely die—you and all who belong to you.”"
},
{
"verseNum": 8,
"text": "Early the next morning Abimelech got up and summoned all his servants; and when he described to them all that had happened, the men were terrified."
},
{
"verseNum": 9,
"text": "Then Abimelech called Abraham and asked, “What have you done to us? How have I sinned against you, that you have brought such tremendous guilt upon me and my kingdom? You have done things to me that should not be done.”"
},
{
"verseNum": 10,
"text": "Abimelech also asked Abraham, “What prompted you to do such a thing?”"
},
{
"verseNum": 11,
"text": "Abraham replied, “I thought to myself, Surely there is no fear of God in this place. They will kill me on account of my wife."
},
{
"verseNum": 12,
"text": "Besides, she really is my sister, the daughter of my father—though not the daughter of my mother—and she became my wife."
},
{
"verseNum": 13,
"text": "So when God had me journey from my fathers house, I said to Sarah, This is how you can show your loyalty to me: Wherever we go, say of me, “He is my brother.”’”"
},
{
"verseNum": 14,
"text": "So Abimelech brought sheep and cattle, menservants and maidservants, and he gave them to Abraham and restored his wife Sarah to him."
},
{
"verseNum": 15,
"text": "And Abimelech said, “Look, my land is before you. Settle wherever you please.”"
},
{
"verseNum": 16,
"text": "And he said to Sarah, “See, I am giving your brother a thousand pieces of silver. It is your vindication before all who are with you; you are completely cleared.”"
},
{
"verseNum": 17,
"text": "Then Abraham prayed to God, and God healed Abimelech and his wife and his maidservants, so that they could again bear children—"
},
{
"verseNum": 18,
"text": "for on account of Abrahams wife Sarah, the LORD had completely closed all the wombs in Abimelechs household."
}
]
}

View File

@@ -0,0 +1,141 @@
{
"chapterNum": 21,
"verses": [
{
"verseNum": 1,
"text": "Now the LORD attended to Sarah as He had said, and the LORD did for Sarah what He had promised."
},
{
"verseNum": 2,
"text": "So Sarah conceived and bore a son to Abraham in his old age, at the very time God had promised."
},
{
"verseNum": 3,
"text": "And Abraham gave the name Isaac to the son Sarah bore to him."
},
{
"verseNum": 4,
"text": "When his son Isaac was eight days old, Abraham circumcised him, as God had commanded him."
},
{
"verseNum": 5,
"text": "Abraham was a hundred years old when his son Isaac was born to him."
},
{
"verseNum": 6,
"text": "Then Sarah said, “God has made me laugh, and everyone who hears of this will laugh with me.”"
},
{
"verseNum": 7,
"text": "She added, “Who would have told Abraham that Sarah would nurse children? Yet I have borne him a son in his old age.”"
},
{
"verseNum": 8,
"text": "So the child grew and was weaned, and Abraham held a great feast on the day Isaac was weaned."
},
{
"verseNum": 9,
"text": "But Sarah saw that the son whom Hagar the Egyptian had borne to Abraham was mocking her son,"
},
{
"verseNum": 10,
"text": "and she said to Abraham, “Expel the slave woman and her son, for the slave womans son will never share in the inheritance with my son Isaac!”"
},
{
"verseNum": 11,
"text": "Now this matter distressed Abraham greatly because it concerned his son Ishmael."
},
{
"verseNum": 12,
"text": "But God said to Abraham, “Do not be distressed about the boy and your maidservant. Listen to everything that Sarah tells you, for through Isaac your offspring will be reckoned."
},
{
"verseNum": 13,
"text": "But I will also make a nation of the slave womans son, because he is your offspring.”"
},
{
"verseNum": 14,
"text": "Early in the morning, Abraham got up, took bread and a skin of water, put them on Hagars shoulders, and sent her away with the boy. She left and wandered in the Wilderness of Beersheba."
},
{
"verseNum": 15,
"text": "When the water in the skin was gone, she left the boy under one of the bushes."
},
{
"verseNum": 16,
"text": "Then she went off and sat down nearby, about a bowshot away, for she said, “I cannot bear to watch the boy die!” And as she sat nearby, she lifted up her voice and wept."
},
{
"verseNum": 17,
"text": "Then God heard the voice of the boy, and the angel of God called to Hagar from heaven, “What is wrong, Hagar? Do not be afraid, for God has heard the voice of the boy where he lies."
},
{
"verseNum": 18,
"text": "Get up, lift up the boy, and take him by the hand, for I will make him into a great nation.”"
},
{
"verseNum": 19,
"text": "Then God opened her eyes, and she saw a well of water. So she went and filled the skin with water and gave the boy a drink."
},
{
"verseNum": 20,
"text": "And God was with the boy, and he grew up and settled in the wilderness and became a great archer."
},
{
"verseNum": 21,
"text": "And while he was dwelling in the Wilderness of Paran, his mother got a wife for him from the land of Egypt."
},
{
"verseNum": 22,
"text": "At that time Abimelech and Phicol the commander of his army said to Abraham, “God is with you in all that you do."
},
{
"verseNum": 23,
"text": "Now, therefore, swear to me here before God that you will not deal falsely with me or my children or descendants. Show to me and to the country in which you reside the same kindness that I have shown to you.”"
},
{
"verseNum": 24,
"text": "And Abraham replied, “I swear it.”"
},
{
"verseNum": 25,
"text": "But when Abraham complained to Abimelech about a well that Abimelechs servants had seized,"
},
{
"verseNum": 26,
"text": "Abimelech replied, “I do not know who has done this. You did not tell me, so I have not heard about it until today.”"
},
{
"verseNum": 27,
"text": "So Abraham brought sheep and cattle and gave them to Abimelech, and the two men made a covenant."
},
{
"verseNum": 28,
"text": "Abraham separated seven ewe lambs from the flock,"
},
{
"verseNum": 29,
"text": "and Abimelech asked him, “Why have you set apart these seven ewe lambs?”"
},
{
"verseNum": 30,
"text": "He replied, “You are to accept the seven ewe lambs from my hand as my witness that I dug this well.”"
},
{
"verseNum": 31,
"text": "So that place was called Beersheba, because it was there that the two of them swore an oath."
},
{
"verseNum": 32,
"text": "After they had made the covenant at Beersheba, Abimelech and Phicol the commander of his army got up and returned to the land of the Philistines."
},
{
"verseNum": 33,
"text": "And Abraham planted a tamarisk tree in Beersheba, and there he called upon the name of the LORD, the Eternal God."
},
{
"verseNum": 34,
"text": "And Abraham resided in the land of the Philistines for a long time."
}
]
}

View File

@@ -0,0 +1,101 @@
{
"chapterNum": 22,
"verses": [
{
"verseNum": 1,
"text": "Some time later God tested Abraham and said to him, “Abraham!”\n \n“Here I am,” he answered."
},
{
"verseNum": 2,
"text": "“Take your son,” God said, “your only son Isaac, whom you love, and go to the land of Moriah. Offer him there as a burnt offering on one of the mountains, which I will show you.”"
},
{
"verseNum": 3,
"text": "So Abraham got up early the next morning, saddled his donkey, and took along two of his servants and his son Isaac. He split the wood for a burnt offering and set out for the place God had designated."
},
{
"verseNum": 4,
"text": "On the third day Abraham looked up and saw the place in the distance."
},
{
"verseNum": 5,
"text": "“Stay here with the donkey,” Abraham told his servants. “The boy and I will go over there to worship, and then we will return to you.”"
},
{
"verseNum": 6,
"text": "Abraham took the wood for the burnt offering and placed it on his son Isaac. He himself carried the fire and the sacrificial knife, and the two of them walked on together."
},
{
"verseNum": 7,
"text": "Then Isaac said to his father Abraham, “My father!”\n \n“Here I am, my son,” he replied.\n \n“The fire and the wood are here,” said Isaac, “but where is the lamb for the burnt offering?”"
},
{
"verseNum": 8,
"text": "Abraham answered, “God Himself will provide the lamb for the burnt offering, my son.” And the two walked on together."
},
{
"verseNum": 9,
"text": "When they arrived at the place God had designated, Abraham built the altar there and arranged the wood. He bound his son Isaac and placed him on the altar, atop the wood."
},
{
"verseNum": 10,
"text": "Then Abraham reached out his hand and took the knife to slaughter his son."
},
{
"verseNum": 11,
"text": "Just then the angel of the LORD called out to him from heaven, “Abraham, Abraham!”\n \n“Here I am,” he replied."
},
{
"verseNum": 12,
"text": "“Do not lay a hand on the boy or do anything to him,” said the angel, “for now I know that you fear God, since you have not withheld your only son from me.”"
},
{
"verseNum": 13,
"text": "Then Abraham looked up and saw behind him a ram in a thicket, caught by its horns. So he went and took the ram and offered it as a burnt offering in place of his son."
},
{
"verseNum": 14,
"text": "And Abraham called that place The LORD Will Provide. So to this day it is said, “On the mountain of the LORD it will be provided.”"
},
{
"verseNum": 15,
"text": "And the angel of the LORD called to Abraham from heaven a second time,"
},
{
"verseNum": 16,
"text": "saying, “By Myself I have sworn, declares the LORD, that because you have done this and have not withheld your only son,"
},
{
"verseNum": 17,
"text": "I will surely bless you, and I will multiply your descendants like the stars in the sky and the sand on the seashore. Your descendants will possess the gates of their enemies."
},
{
"verseNum": 18,
"text": "And through your offspring all nations of the earth will be blessed, because you have obeyed My voice.”"
},
{
"verseNum": 19,
"text": "Abraham went back to his servants, and they got up and set out together for Beersheba. And Abraham settled in Beersheba."
},
{
"verseNum": 20,
"text": "Some time later, Abraham was told, “Milcah has also borne sons to your brother Nahor:"
},
{
"verseNum": 21,
"text": "Uz the firstborn, his brother Buz, Kemuel (the father of Aram),"
},
{
"verseNum": 22,
"text": "Chesed, Hazo, Pildash, Jidlaph, and Bethuel.”"
},
{
"verseNum": 23,
"text": "And Bethuel became the father of Rebekah. Milcah bore these eight sons to Abrahams brother Nahor."
},
{
"verseNum": 24,
"text": "Moreover, Nahors concubine, whose name was Reumah, bore Tebah, Gaham, Tahash, and Maacah."
}
]
}

View File

@@ -0,0 +1,85 @@
{
"chapterNum": 23,
"verses": [
{
"verseNum": 1,
"text": "Now Sarah lived to be 127 years old."
},
{
"verseNum": 2,
"text": "She died in Kiriath-arba (that is, Hebron) in the land of Canaan, and Abraham went out to mourn and to weep for her."
},
{
"verseNum": 3,
"text": "Then Abraham got up from beside his dead wife and said to the Hittites,"
},
{
"verseNum": 4,
"text": "“I am a foreigner and an outsider among you. Give me a burial site among you so that I can bury my dead.”"
},
{
"verseNum": 5,
"text": "The Hittites replied to Abraham,"
},
{
"verseNum": 6,
"text": "“Listen to us, sir. You are Gods chosen one among us. Bury your dead in the finest of our tombs. None of us will withhold his tomb for burying your dead.”"
},
{
"verseNum": 7,
"text": "Then Abraham rose and bowed down before the people of the land, the Hittites."
},
{
"verseNum": 8,
"text": "“If you are willing for me to bury my dead,” he said to them, “listen to me, and approach Ephron son of Zohar on my behalf"
},
{
"verseNum": 9,
"text": "to sell me the cave of Machpelah that belongs to him; it is at the end of his field. Let him sell it to me in your presence for full price, so that I may have a burial site.”"
},
{
"verseNum": 10,
"text": "Now Ephron was sitting among the sons of Heth. So in the presence of all the Hittites who had come to the gate of his city, Ephron the Hittite answered Abraham,"
},
{
"verseNum": 11,
"text": "“No, my lord. Listen to me. I give you the field, and I give you the cave that is in it. I give it to you in the presence of my people. Bury your dead.”"
},
{
"verseNum": 12,
"text": "Again Abraham bowed down before the people of the land"
},
{
"verseNum": 13,
"text": "and said to Ephron in their presence, “If you will please listen to me, I will pay you the price of the field. Accept it from me, so that I may bury my dead there.”"
},
{
"verseNum": 14,
"text": "Ephron answered Abraham,"
},
{
"verseNum": 15,
"text": "“Listen to me, my lord. The land is worth four hundred shekels of silver, but what is that between you and me? Bury your dead.”"
},
{
"verseNum": 16,
"text": "Abraham agreed to Ephrons terms and weighed out for him the price he had named in the hearing of the Hittites: four hundred shekels of silver, according to the standard of the merchants."
},
{
"verseNum": 17,
"text": "So Ephrons field at Machpelah near Mamre, the cave that was in it, and all the trees within the boundaries of the field were deeded over"
},
{
"verseNum": 18,
"text": "to Abrahams possession in the presence of all the Hittites who had come to the gate of his city."
},
{
"verseNum": 19,
"text": "After this, Abraham buried his wife Sarah in the cave of the field at Machpelah near Mamre (that is, Hebron) in the land of Canaan."
},
{
"verseNum": 20,
"text": "So the field and its cave were deeded by the Hittites to Abraham as a burial site."
}
]
}

View File

@@ -0,0 +1,273 @@
{
"chapterNum": 24,
"verses": [
{
"verseNum": 1,
"text": "By now Abraham was old and well along in years, and the LORD had blessed him in every way."
},
{
"verseNum": 2,
"text": "So Abraham instructed the chief servant of his household, who managed all he owned, “Place your hand under my thigh,"
},
{
"verseNum": 3,
"text": "and I will have you swear by the LORD, the God of heaven and the God of earth, that you will not take a wife for my son from the daughters of the Canaanites among whom I am dwelling,"
},
{
"verseNum": 4,
"text": "but will go to my country and my kindred to take a wife for my son Isaac.”"
},
{
"verseNum": 5,
"text": "The servant asked him, “What if the woman is unwilling to follow me to this land? Shall I then take your son back to the land from which you came?”"
},
{
"verseNum": 6,
"text": "Abraham replied, “Make sure that you do not take my son back there."
},
{
"verseNum": 7,
"text": "The LORD, the God of heaven, who brought me from my fathers house and my native land, who spoke to me and promised me on oath, saying, To your offspring I will give this land—He will send His angel before you so that you can take a wife for my son from there."
},
{
"verseNum": 8,
"text": "And if the woman is unwilling to follow you, then you are released from this oath of mine. Only do not take my son back there.”"
},
{
"verseNum": 9,
"text": "So the servant placed his hand under the thigh of his master Abraham and swore an oath to him concerning this matter."
},
{
"verseNum": 10,
"text": "Then the servant took ten of his masters camels and departed with all manner of good things from his master in hand. And he set out for Nahors hometown in Aram-naharaim."
},
{
"verseNum": 11,
"text": "As evening approached, he made the camels kneel down near the well outside the town at the time when the women went out to draw water."
},
{
"verseNum": 12,
"text": "“O LORD, God of my master Abraham,” he prayed, “please grant me success today, and show kindness to my master Abraham."
},
{
"verseNum": 13,
"text": "Here I am, standing beside the spring, and the daughters of the townspeople are coming out to draw water."
},
{
"verseNum": 14,
"text": "Now may it happen that the girl to whom I say, Please let down your jar that I may drink, and who responds, Drink, and I will water your camels as well—let her be the one You have appointed for Your servant Isaac. By this I will know that You have shown kindness to my master.”"
},
{
"verseNum": 15,
"text": "Before the servant had finished praying, Rebekah came out with her jar on her shoulder. She was the daughter of Bethuel son of Milcah, the wife of Abrahams brother Nahor."
},
{
"verseNum": 16,
"text": "Now the girl was very beautiful, a virgin who had not had relations with any man. She went down to the spring, filled her jar, and came up again."
},
{
"verseNum": 17,
"text": "So the servant ran to meet her and said, “Please let me have a little water from your jar.”"
},
{
"verseNum": 18,
"text": "“Drink, my lord,” she replied, and she quickly lowered her jar to her hands and gave him a drink."
},
{
"verseNum": 19,
"text": "After she had given him a drink, she said, “I will also draw water for your camels, until they have had enough to drink.”"
},
{
"verseNum": 20,
"text": "And she quickly emptied her jar into the trough and ran back to the well to draw water, until she had drawn water for all his camels."
},
{
"verseNum": 21,
"text": "Meanwhile, the man watched her silently to see whether or not the LORD had made his journey a success."
},
{
"verseNum": 22,
"text": "And after the camels had finished drinking, he took out a gold ring weighing a beka, and two gold bracelets for her wrists weighing ten shekels."
},
{
"verseNum": 23,
"text": "“Whose daughter are you?” he asked. “Please tell me, is there room in your fathers house for us to spend the night?”"
},
{
"verseNum": 24,
"text": "She replied, “I am the daughter of Bethuel, the son that Milcah bore to Nahor.”"
},
{
"verseNum": 25,
"text": "Then she added, “We have plenty of straw and feed, as well as a place for you to spend the night.”"
},
{
"verseNum": 26,
"text": "Then the man bowed down and worshiped the LORD,"
},
{
"verseNum": 27,
"text": "saying, “Blessed be the LORD, the God of my master Abraham, who has not withheld His kindness and faithfulness from my master. As for me, the LORD has led me on the journey to the house of my masters relatives.”"
},
{
"verseNum": 28,
"text": "The girl ran and told her mothers household about these things."
},
{
"verseNum": 29,
"text": "Now Rebekah had a brother named Laban, and he rushed out to the man at the spring."
},
{
"verseNum": 30,
"text": "As soon as he saw the ring, and the bracelets on his sisters wrists, and heard Rebekahs words, “The man said this to me,” he went and found the man standing by the camels near the spring."
},
{
"verseNum": 31,
"text": "“Come, you who are blessed by the LORD,” said Laban. “Why are you standing out here? I have prepared the house and a place for the camels.”"
},
{
"verseNum": 32,
"text": "So the man came to the house, and the camels were unloaded. Straw and feed were brought to the camels, and water to wash his feet and the feet of his companions."
},
{
"verseNum": 33,
"text": "Then a meal was set before the man, but he said, “I will not eat until I have told you what I came to say.”\n \nSo Laban said, “Please speak.”"
},
{
"verseNum": 34,
"text": "“I am Abrahams servant,” he replied."
},
{
"verseNum": 35,
"text": "“The LORD has greatly blessed my master, and he has become rich. He has given him sheep and cattle, silver and gold, menservants and maidservants, camels and donkeys."
},
{
"verseNum": 36,
"text": "My masters wife Sarah has borne him a son in her old age, and my master has given him everything he owns."
},
{
"verseNum": 37,
"text": "My master made me swear an oath and said, You shall not take a wife for my son from the daughters of the Canaanites in whose land I dwell,"
},
{
"verseNum": 38,
"text": "but you shall go to my fathers house and to my kindred to take a wife for my son."
},
{
"verseNum": 39,
"text": "Then I asked my master, What if the woman will not come back with me?"
},
{
"verseNum": 40,
"text": "And he told me, The LORD, before whom I have walked, will send His angel with you and make your journey a success, so that you may take a wife for my son from my kindred and from my fathers house."
},
{
"verseNum": 41,
"text": "And when you go to my kindred, if they refuse to give her to you, then you will be released from my oath."
},
{
"verseNum": 42,
"text": "So when I came to the spring today, I prayed: O LORD, God of my master Abraham, if only You would make my journey a success!"
},
{
"verseNum": 43,
"text": "Here I am, standing beside this spring. Now if a maiden comes out to draw water and I say to her, Please let me drink a little water from your jar,"
},
{
"verseNum": 44,
"text": "and she replies, Drink, and I will draw water for your camels as well, may she be the woman the LORD has appointed for my masters son."
},
{
"verseNum": 45,
"text": "And before I had finished praying in my heart, there was Rebekah coming out with her jar on her shoulder, and she went down to the spring and drew water. So I said to her, Please give me a drink."
},
{
"verseNum": 46,
"text": "She quickly lowered her jar from her shoulder and said, Drink, and I will water your camels as well. So I drank, and she also watered the camels."
},
{
"verseNum": 47,
"text": "Then I asked her, Whose daughter are you?\n \nShe replied, The daughter of Bethuel son of Nahor, whom Milcah bore to him. So I put the ring on her nose and the bracelets on her wrists."
},
{
"verseNum": 48,
"text": "Then I bowed down and worshiped the LORD; and I blessed the LORD, the God of my master Abraham, who led me on the right road to take the granddaughter of my masters brother for his son."
},
{
"verseNum": 49,
"text": "Now if you will show kindness and faithfulness to my master, tell me; but if not, let me know, so that I may go elsewhere.”"
},
{
"verseNum": 50,
"text": "Laban and Bethuel answered, “This is from the LORD; we have no choice in the matter."
},
{
"verseNum": 51,
"text": "Rebekah is here before you. Take her and go, and let her become the wife of your masters son, just as the LORD has decreed.”"
},
{
"verseNum": 52,
"text": "When Abrahams servant heard their words, he bowed down to the ground before the LORD."
},
{
"verseNum": 53,
"text": "Then he brought out jewels of silver and gold, and articles of clothing, and he gave them to Rebekah. He also gave precious gifts to her brother and her mother."
},
{
"verseNum": 54,
"text": "Then he and the men with him ate and drank and spent the night there.\n \nWhen they got up the next morning, he said, “Send me on my way to my master.”"
},
{
"verseNum": 55,
"text": "But her brother and mother said, “Let the girl remain with us ten days or so. After that, she may go.”"
},
{
"verseNum": 56,
"text": "But he replied, “Do not delay me, since the LORD has made my journey a success. Send me on my way so that I may go to my master.”"
},
{
"verseNum": 57,
"text": "So they said, “We will call the girl and ask her opinion.”"
},
{
"verseNum": 58,
"text": "They called Rebekah and asked her, “Will you go with this man?”\n \n“I will go,” she replied."
},
{
"verseNum": 59,
"text": "So they sent their sister Rebekah on her way, along with her nurse and Abrahams servant and his men."
},
{
"verseNum": 60,
"text": "And they blessed Rebekah and said to her,\n \n “Our sister, may you become the mother\n of thousands upon thousands.\n May your offspring possess\n the gates of their enemies.”"
},
{
"verseNum": 61,
"text": "Then Rebekah and her servant girls got ready, mounted the camels, and followed the man. So the servant took Rebekah and left."
},
{
"verseNum": 62,
"text": "Now Isaac had just returned from Beer-lahai-roi, for he was living in the Negev."
},
{
"verseNum": 63,
"text": "Early in the evening, Isaac went out to the field to meditate, and looking up, he saw the camels approaching."
},
{
"verseNum": 64,
"text": "And when Rebekah looked up and saw Isaac, she got down from her camel"
},
{
"verseNum": 65,
"text": "and asked the servant, “Who is that man in the field coming to meet us?”\n \n“It is my master,” the servant answered. So she took her veil and covered herself."
},
{
"verseNum": 66,
"text": "Then the servant told Isaac all that he had done."
},
{
"verseNum": 67,
"text": "And Isaac brought her into the tent of his mother Sarah and took Rebekah as his wife. And Isaac loved her and was comforted after his mothers death."
}
]
}

View File

@@ -0,0 +1,141 @@
{
"chapterNum": 25,
"verses": [
{
"verseNum": 1,
"text": "Now Abraham had taken another wife, named Keturah,"
},
{
"verseNum": 2,
"text": "and she bore him Zimran, Jokshan, Medan, Midian, Ishbak, and Shuah."
},
{
"verseNum": 3,
"text": "Jokshan was the father of Sheba and Dedan. And the sons of Dedan were the Asshurites, the Letushites, and the Leummites."
},
{
"verseNum": 4,
"text": "The sons of Midian were Ephah, Epher, Hanoch, Abida, and Eldaah.\n \nAll these were descendants of Keturah."
},
{
"verseNum": 5,
"text": "Abraham left everything he owned to Isaac."
},
{
"verseNum": 6,
"text": "But while he was still alive, Abraham gave gifts to the sons of his concubines and sent them away from his son Isaac to the land of the east."
},
{
"verseNum": 7,
"text": "Abraham lived a total of 175 years."
},
{
"verseNum": 8,
"text": "And at a ripe old age he breathed his last and died, old and contented, and was gathered to his people."
},
{
"verseNum": 9,
"text": "His sons Isaac and Ishmael buried him in the cave of Machpelah near Mamre, in the field of Ephron son of Zohar the Hittite."
},
{
"verseNum": 10,
"text": "This was the field that Abraham had bought from the Hittites. Abraham was buried there with his wife Sarah."
},
{
"verseNum": 11,
"text": "After Abrahams death, God blessed his son Isaac, who lived near Beer-lahai-roi."
},
{
"verseNum": 12,
"text": "This is the account of Abrahams son Ishmael, whom Hagar the Egyptian, Sarahs maidservant, bore to Abraham."
},
{
"verseNum": 13,
"text": "These are the names of the sons of Ishmael in the order of their birth: Nebaioth the firstborn of Ishmael, then Kedar, Adbeel, Mibsam,"
},
{
"verseNum": 14,
"text": "Mishma, Dumah, Massa,"
},
{
"verseNum": 15,
"text": "Hadad, Tema, Jetur, Naphish, and Kedemah."
},
{
"verseNum": 16,
"text": "These were the sons of Ishmael, and these were their names by their villages and encampments—twelve princes of their tribes."
},
{
"verseNum": 17,
"text": "Ishmael lived a total of 137 years. Then he breathed his last and died, and was gathered to his people."
},
{
"verseNum": 18,
"text": "Ishmaels descendants settled from Havilah to Shur, which is near the border of Egypt as you go toward Asshur. And they lived in hostility toward all their brothers."
},
{
"verseNum": 19,
"text": "This is the account of Abrahams son Isaac. Abraham became the father of Isaac,"
},
{
"verseNum": 20,
"text": "and Isaac was forty years old when he married Rebekah, the daughter of Bethuel the Aramean from Paddan-aram and the sister of Laban the Aramean."
},
{
"verseNum": 21,
"text": "Later, Isaac prayed to the LORD on behalf of his wife, because she was barren. And the LORD heard his prayer, and his wife Rebekah conceived."
},
{
"verseNum": 22,
"text": "But the children inside her struggled with each other, and she said, “Why is this happening to me?” So Rebekah went to inquire of the LORD,"
},
{
"verseNum": 23,
"text": "and He declared to her:\n \n “Two nations are in your womb,\n and two peoples from within you will be separated;\n one people will be stronger than the other,\n and the older will serve the younger.”"
},
{
"verseNum": 24,
"text": "When her time came to give birth, there were indeed twins in her womb."
},
{
"verseNum": 25,
"text": "The first one came out red, covered with hair like a fur coat; so they named him Esau."
},
{
"verseNum": 26,
"text": "After this, his brother came out grasping Esaus heel; so he was named Jacob. And Isaac was sixty years old when the twins were born."
},
{
"verseNum": 27,
"text": "When the boys grew up, Esau became a skillful hunter, a man of the field, while Jacob was a quiet man who stayed at home."
},
{
"verseNum": 28,
"text": "Because Isaac had a taste for wild game, he loved Esau; but Rebekah loved Jacob."
},
{
"verseNum": 29,
"text": "One day, while Jacob was cooking some stew, Esau came in from the field and was famished."
},
{
"verseNum": 30,
"text": "He said to Jacob, “Let me eat some of that red stew, for I am famished.” (That is why he was also called Edom.)"
},
{
"verseNum": 31,
"text": "“First sell me your birthright,” Jacob replied."
},
{
"verseNum": 32,
"text": "“Look,” said Esau, “I am about to die, so what good is a birthright to me?”"
},
{
"verseNum": 33,
"text": "“Swear to me first,” Jacob said.\n \nSo Esau swore to Jacob and sold him the birthright."
},
{
"verseNum": 34,
"text": "Then Jacob gave some bread and lentil stew to Esau, who ate and drank and then got up and went away. Thus Esau despised his birthright."
}
]
}

View File

@@ -0,0 +1,145 @@
{
"chapterNum": 26,
"verses": [
{
"verseNum": 1,
"text": "Now there was another famine in the land, subsequent to the one that had occurred in Abrahams time. And Isaac went to Abimelech king of the Philistines at Gerar."
},
{
"verseNum": 2,
"text": "The LORD appeared to Isaac and said, “Do not go down to Egypt. Settle in the land where I tell you."
},
{
"verseNum": 3,
"text": "Stay in this land as a foreigner, and I will be with you and bless you. For I will give all these lands to you and your offspring, and I will confirm the oath that I swore to your father Abraham."
},
{
"verseNum": 4,
"text": "I will make your descendants as numerous as the stars in the sky, and I will give them all these lands, and through your offspring all nations of the earth will be blessed,"
},
{
"verseNum": 5,
"text": "because Abraham listened to My voice and kept My charge, My commandments, My statutes, and My laws.”"
},
{
"verseNum": 6,
"text": "So Isaac settled in Gerar."
},
{
"verseNum": 7,
"text": "But when the men of that place asked about his wife, he said, “She is my sister.” For he was afraid to say, “She is my wife,” since he thought to himself, “The men of this place will kill me on account of Rebekah, because she is so beautiful.”"
},
{
"verseNum": 8,
"text": "When Isaac had been there a long time, Abimelech king of the Philistines looked down from the window and was surprised to see Isaac caressing his wife Rebekah."
},
{
"verseNum": 9,
"text": "Abimelech sent for Isaac and said, “So she is really your wife! How could you say, She is my sister?”\n \nIsaac replied, “Because I thought I might die on account of her.”"
},
{
"verseNum": 10,
"text": "“What is this you have done to us?” asked Abimelech. “One of the people could easily have slept with your wife, and you would have brought guilt upon us.”"
},
{
"verseNum": 11,
"text": "So Abimelech warned all the people, saying, “Whoever harms this man or his wife will surely be put to death.”"
},
{
"verseNum": 12,
"text": "Now Isaac sowed seed in the land, and that very year he reaped a hundredfold. And the LORD blessed him,"
},
{
"verseNum": 13,
"text": "and he became richer and richer, until he was exceedingly wealthy."
},
{
"verseNum": 14,
"text": "He owned so many flocks and herds and servants that the Philistines envied him."
},
{
"verseNum": 15,
"text": "So the Philistines took dirt and stopped up all the wells that his fathers servants had dug in the days of his father Abraham."
},
{
"verseNum": 16,
"text": "Then Abimelech said to Isaac, “Depart from us, for you are much too powerful for us.”"
},
{
"verseNum": 17,
"text": "So Isaac left that place and encamped in the Valley of Gerar and settled there."
},
{
"verseNum": 18,
"text": "Isaac reopened the wells that had been dug in the days of his father Abraham, which the Philistines had stopped up after Abraham died. And he gave these wells the same names his father had given them."
},
{
"verseNum": 19,
"text": "Then Isaacs servants dug in the valley and found a well of fresh water there."
},
{
"verseNum": 20,
"text": "But the herdsmen of Gerar quarreled with Isaacs herdsmen and said, “The water is ours!” So he named the well Esek, because they contended with him."
},
{
"verseNum": 21,
"text": "Then they dug another well and quarreled over that one also; so he named it Sitnah."
},
{
"verseNum": 22,
"text": "He moved on from there and dug another well, and they did not quarrel over it. He named it Rehoboth and said, “At last the LORD has made room for us, and we will be fruitful in the land.”"
},
{
"verseNum": 23,
"text": "From there Isaac went up to Beersheba,"
},
{
"verseNum": 24,
"text": "and that night the LORD appeared to him and said, “I am the God of your father Abraham. Do not be afraid, for I am with you. I will bless you and multiply your descendants for the sake of My servant Abraham.”"
},
{
"verseNum": 25,
"text": "So Isaac built an altar there and called on the name of the LORD, and he pitched his tent there. His servants also dug a well there."
},
{
"verseNum": 26,
"text": "Later, Abimelech came to Isaac from Gerar, with Ahuzzath his adviser and Phicol the commander of his army."
},
{
"verseNum": 27,
"text": "“Why have you come to me?” Isaac asked them. “You hated me and sent me away.”"
},
{
"verseNum": 28,
"text": "“We can plainly see that the LORD has been with you,” they replied. “We recommend that there should now be an oath between us and you. Let us make a covenant with you"
},
{
"verseNum": 29,
"text": "that you will not harm us, just as we have not harmed you but have done only good to you, sending you on your way in peace. And now you are blessed by the LORD.”"
},
{
"verseNum": 30,
"text": "So Isaac prepared a feast for them, and they ate and drank."
},
{
"verseNum": 31,
"text": "And they got up early the next morning and swore an oath to each other. Then Isaac sent them on their way, and they left him in peace."
},
{
"verseNum": 32,
"text": "On that same day, Isaacs servants came and told him about the well they had dug. “We have found water!” they told him."
},
{
"verseNum": 33,
"text": "So he called it Shibah, and to this day the name of the city is Beersheba."
},
{
"verseNum": 34,
"text": "When Esau was forty years old, he took as his wives Judith daughter of Beeri the Hittite and Basemath daughter of Elon the Hittite."
},
{
"verseNum": 35,
"text": "And they brought grief to Isaac and Rebekah."
}
]
}

View File

@@ -0,0 +1,189 @@
{
"chapterNum": 27,
"verses": [
{
"verseNum": 1,
"text": "When Isaac was old and his eyes were so weak that he could no longer see, he called his older son Esau and said to him, “My son.”\n \n“Here I am,” Esau replied."
},
{
"verseNum": 2,
"text": "“Look,” said Isaac, “I am now old, and I do not know the day of my death."
},
{
"verseNum": 3,
"text": "Take your weapons—your quiver and bow—and go out into the field to hunt some game for me."
},
{
"verseNum": 4,
"text": "Then prepare a tasty dish that I love and bring it to me to eat, so that I may bless you before I die.”"
},
{
"verseNum": 5,
"text": "Now Rebekah was listening to what Isaac told his son Esau. So when Esau went into the field to hunt game and bring it back,"
},
{
"verseNum": 6,
"text": "Rebekah said to her son Jacob, “Behold, I overheard your father saying to your brother Esau,"
},
{
"verseNum": 7,
"text": "Bring me some game and prepare me a tasty dish to eat, so that I may bless you in the presence of the LORD before I die."
},
{
"verseNum": 8,
"text": "Now, my son, listen to my voice and do exactly as I tell you."
},
{
"verseNum": 9,
"text": "Go out to the flock and bring me two choice young goats, so that I can make them into a tasty dish for your father—the kind he loves."
},
{
"verseNum": 10,
"text": "Then take it to your father to eat, so that he may bless you before he dies.”"
},
{
"verseNum": 11,
"text": "Jacob answered his mother Rebekah, “Look, my brother Esau is a hairy man, but I am smooth-skinned."
},
{
"verseNum": 12,
"text": "What if my father touches me? Then I would be revealed to him as a deceiver, and I would bring upon myself a curse rather than a blessing.”"
},
{
"verseNum": 13,
"text": "His mother replied, “Your curse be on me, my son. Just obey my voice and go get them for me.”"
},
{
"verseNum": 14,
"text": "So Jacob went and got two goats and brought them to his mother, who made the tasty food his father loved."
},
{
"verseNum": 15,
"text": "And Rebekah took the finest clothes in the house that belonged to her older son Esau, and she put them on her younger son Jacob."
},
{
"verseNum": 16,
"text": "She also put the skins of the young goats on his hands and on the smooth part of his neck."
},
{
"verseNum": 17,
"text": "Then she handed her son Jacob the tasty food and bread she had made."
},
{
"verseNum": 18,
"text": "So Jacob went to his father and said, “My father.”\n \n“Here I am!” he answered. “Which one are you, my son?”"
},
{
"verseNum": 19,
"text": "Jacob said to his father, “I am Esau, your firstborn. I have done as you told me. Please sit up and eat some of my game, so that you may bless me.”"
},
{
"verseNum": 20,
"text": "But Isaac asked his son, “How did you ever find it so quickly, my son?”\n \n“Because the LORD your God brought it to me,” he replied."
},
{
"verseNum": 21,
"text": "Then Isaac said to Jacob, “Please come closer so I can touch you, my son. Are you really my son Esau, or not?”"
},
{
"verseNum": 22,
"text": "So Jacob came close to his father Isaac, who touched him and said, “The voice is the voice of Jacob, but the hands are the hands of Esau.”"
},
{
"verseNum": 23,
"text": "Isaac did not recognize him, because his hands were hairy like those of his brother Esau; so he blessed him."
},
{
"verseNum": 24,
"text": "Again he asked, “Are you really my son Esau?”\n \nAnd he replied, “I am.”"
},
{
"verseNum": 25,
"text": "“Serve me,” said Isaac, “and let me eat some of my sons game, so that I may bless you.”\n \nJacob brought it to him, and he ate; then he brought him wine, and he drank."
},
{
"verseNum": 26,
"text": "Then his father Isaac said to him, “Please come near and kiss me, my son.”"
},
{
"verseNum": 27,
"text": "So he came near and kissed him. When Isaac smelled his clothing, he blessed him and said:\n \n “Ah, the smell of my son\n is like the smell of a field\n that the LORD has blessed."
},
{
"verseNum": 28,
"text": "May God give to you the dew of heaven\n and the richness of the earth—\n an abundance of grain and new wine."
},
{
"verseNum": 29,
"text": "May peoples serve you\n and nations bow down to you.\n May you be the master of your brothers,\n and may the sons of your mother bow down to you.\n May those who curse you be cursed,\n and those who bless you be blessed.”"
},
{
"verseNum": 30,
"text": "As soon as Isaac had finished blessing him and Jacob had left his fathers presence, his brother Esau returned from the hunt."
},
{
"verseNum": 31,
"text": "He too made some tasty food, brought it to his father, and said to him, “My father, sit up and eat of your sons game, so that you may bless me.”"
},
{
"verseNum": 32,
"text": "But his father Isaac replied, “Who are you?”\n \n“I am Esau, your firstborn son,” he answered."
},
{
"verseNum": 33,
"text": "Isaac began to tremble violently and said, “Who was it, then, who hunted the game and brought it to me? Before you came in, I ate it all and blessed him—and indeed, he will be blessed!”"
},
{
"verseNum": 34,
"text": "When Esau heard his fathers words, he let out a loud and bitter cry and said to his father, “Bless me too, O my father!”"
},
{
"verseNum": 35,
"text": "But Isaac replied, “Your brother came deceitfully and took your blessing.”"
},
{
"verseNum": 36,
"text": "So Esau declared, “Is he not rightly named Jacob? For he has cheated me twice. He took my birthright, and now he has taken my blessing.” Then he asked, “Havent you saved a blessing for me?”"
},
{
"verseNum": 37,
"text": "But Isaac answered Esau: “Look, I have made him your master and given him all his relatives as servants; I have sustained him with grain and new wine. What is left that I can do for you, my son?”"
},
{
"verseNum": 38,
"text": "Esau said to his father, “Do you have only one blessing, my father? Bless me too, O my father!” Then Esau wept aloud."
},
{
"verseNum": 39,
"text": "His father Isaac answered him:\n \n “Behold, your dwelling place shall be\n away from the richness of the land,\n away from the dew of heaven above."
},
{
"verseNum": 40,
"text": "You shall live by the sword\n and serve your brother.\n But when you rebel,\n you will tear his yoke from your neck.”"
},
{
"verseNum": 41,
"text": "Esau held a grudge against Jacob because of the blessing his father had given him. And Esau said in his heart, “The days of mourning for my father are at hand; then I will kill my brother Jacob.”"
},
{
"verseNum": 42,
"text": "When the words of her older son Esau were relayed to Rebekah, she sent for her younger son Jacob and told him, “Look, your brother Esau is consoling himself by plotting to kill you."
},
{
"verseNum": 43,
"text": "So now, my son, obey my voice and flee at once to my brother Laban in Haran."
},
{
"verseNum": 44,
"text": "Stay with him for a while, until your brothers fury subsides—"
},
{
"verseNum": 45,
"text": "until your brothers rage against you wanes and he forgets what you have done to him. Then I will send for you and bring you back from there. Why should I lose both of you in one day?”"
},
{
"verseNum": 46,
"text": "Then Rebekah said to Isaac, “I am weary of my life because of these Hittite women. If Jacob takes a Hittite wife from among them, what good is my life?”"
}
]
}

View File

@@ -0,0 +1,93 @@
{
"chapterNum": 28,
"verses": [
{
"verseNum": 1,
"text": "So Isaac called for Jacob and blessed him. “Do not take a wife from the Canaanite women,” he commanded."
},
{
"verseNum": 2,
"text": "“Go at once to Paddan-aram, to the house of your mothers father Bethuel, and take a wife from among the daughters of Laban, your mothers brother."
},
{
"verseNum": 3,
"text": "May God Almighty bless you and make you fruitful and multiply you, so that you may become a company of peoples."
},
{
"verseNum": 4,
"text": "And may He give the blessing of Abraham to you and your descendants, so that you may possess the land where you dwell as a foreigner, the land God gave to Abraham.”"
},
{
"verseNum": 5,
"text": "So Isaac sent Jacob to Paddan-aram, to Laban son of Bethuel the Aramean, the brother of Rebekah, who was the mother of Jacob and Esau."
},
{
"verseNum": 6,
"text": "Now Esau learned that Isaac had blessed Jacob and sent him to Paddan-aram to take a wife there, commanding him, “Do not marry a Canaanite woman,”"
},
{
"verseNum": 7,
"text": "and that Jacob had obeyed his father and mother and gone to Paddan-aram."
},
{
"verseNum": 8,
"text": "And seeing that his father Isaac disapproved of the Canaanite women,"
},
{
"verseNum": 9,
"text": "Esau went to Ishmael and married Mahalath, the sister of Nebaioth and daughter of Abrahams son Ishmael, in addition to the wives he already had."
},
{
"verseNum": 10,
"text": "Meanwhile Jacob left Beersheba and set out for Haran."
},
{
"verseNum": 11,
"text": "On reaching a certain place, he spent the night there because the sun had set. And taking one of the stones from that place, he put it under his head and lay down to sleep."
},
{
"verseNum": 12,
"text": "And Jacob had a dream about a ladder that rested on the earth with its top reaching up to heaven, and Gods angels were going up and down the ladder."
},
{
"verseNum": 13,
"text": "And there at the top the LORD was standing and saying, “I am the LORD, the God of your father Abraham and the God of Isaac. I will give you and your descendants the land on which you now lie."
},
{
"verseNum": 14,
"text": "Your descendants will be like the dust of the earth, and you will spread out to the west and east and north and south. All the families of the earth will be blessed through you and your offspring."
},
{
"verseNum": 15,
"text": "Look, I am with you, and I will watch over you wherever you go, and I will bring you back to this land. For I will not leave you until I have done what I have promised you.”"
},
{
"verseNum": 16,
"text": "When Jacob woke up, he thought, “Surely the LORD is in this place, and I was unaware of it.”"
},
{
"verseNum": 17,
"text": "And he was afraid and said, “How awesome is this place! This is none other than the house of God; this is the gate of heaven!”"
},
{
"verseNum": 18,
"text": "Early the next morning, Jacob took the stone that he had placed under his head, and he set it up as a pillar. He poured oil on top of it,"
},
{
"verseNum": 19,
"text": "and he called that place Bethel, though previously the city had been named Luz."
},
{
"verseNum": 20,
"text": "Then Jacob made a vow, saying, “If God will be with me and watch over me on this journey, and if He will provide me with food to eat and clothes to wear,"
},
{
"verseNum": 21,
"text": "so that I may return safely to my fathers house, then the LORD will be my God."
},
{
"verseNum": 22,
"text": "And this stone I have set up as a pillar will be Gods house, and of all that You give me I will surely give You a tenth.”"
}
]
}

View File

@@ -0,0 +1,145 @@
{
"chapterNum": 29,
"verses": [
{
"verseNum": 1,
"text": "Jacob resumed his journey and came to the land of the people of the east."
},
{
"verseNum": 2,
"text": "He looked and saw a well in the field, and near it lay three flocks of sheep, because the sheep were watered from this well. And a large stone covered the mouth of the well."
},
{
"verseNum": 3,
"text": "When all the flocks had been gathered there, the shepherds would roll away the stone from the mouth of the well and water the sheep. Then they would return the stone to its place over the mouth of the well."
},
{
"verseNum": 4,
"text": "“My brothers,” Jacob asked the shepherds, “where are you from?”\n \n“We are from Haran,” they answered."
},
{
"verseNum": 5,
"text": "“Do you know Laban the grandson of Nahor?” Jacob asked.\n \n“We know him,” they replied."
},
{
"verseNum": 6,
"text": "“Is he well?” Jacob inquired.\n \n“Yes,” they answered, “and here comes his daughter Rachel with his sheep.”"
},
{
"verseNum": 7,
"text": "“Look,” said Jacob, “it is still broad daylight; it is not yet time to gather the livestock. Water the sheep and take them back to pasture.”"
},
{
"verseNum": 8,
"text": "But they replied, “We cannot, until all the flocks have been gathered and the stone has been rolled away from the mouth of the well. Then we will water the sheep.”"
},
{
"verseNum": 9,
"text": "While he was still speaking with them, Rachel arrived with her fathers sheep, for she was a shepherdess."
},
{
"verseNum": 10,
"text": "As soon as Jacob saw Rachel, the daughter of his mothers brother Laban, with Labans sheep, he went up and rolled the stone away from the mouth of the well and watered his uncles sheep."
},
{
"verseNum": 11,
"text": "Then Jacob kissed Rachel and wept aloud."
},
{
"verseNum": 12,
"text": "He told Rachel that he was Rebekahs son, a relative of her father, and she ran and told her father."
},
{
"verseNum": 13,
"text": "When Laban heard the news about his sisters son Jacob, he ran out to meet him. He embraced him and kissed him and brought him to his home, where Jacob told him all that had happened."
},
{
"verseNum": 14,
"text": "Then Laban declared, “You are indeed my own flesh and blood.”\n \nAfter Jacob had stayed with him a month,"
},
{
"verseNum": 15,
"text": "Laban said to him, “Just because you are my relative, should you work for nothing? Tell me what your wages should be.”"
},
{
"verseNum": 16,
"text": "Now Laban had two daughters; the older was named Leah, and the younger was named Rachel."
},
{
"verseNum": 17,
"text": "Leah had weak eyes, but Rachel was shapely and beautiful."
},
{
"verseNum": 18,
"text": "Since Jacob loved Rachel, he answered, “I will serve you seven years for your younger daughter Rachel.”"
},
{
"verseNum": 19,
"text": "Laban replied, “Better that I give her to you than to another. Stay here with me.”"
},
{
"verseNum": 20,
"text": "So Jacob served seven years for Rachel, yet it seemed but a few days because of his love for her."
},
{
"verseNum": 21,
"text": "Finally Jacob said to Laban, “Grant me my wife, for my time is complete, and I want to sleep with her.”"
},
{
"verseNum": 22,
"text": "So Laban invited all the men of that place and prepared a feast."
},
{
"verseNum": 23,
"text": "But when evening came, Laban took his daughter Leah and gave her to Jacob, and he slept with her."
},
{
"verseNum": 24,
"text": "And Laban gave his servant girl Zilpah to his daughter Leah as her maidservant."
},
{
"verseNum": 25,
"text": "When morning came, there was Leah! “What have you done to me?” Jacob said to Laban. “Wasnt it for Rachel that I served you? Why have you deceived me?”"
},
{
"verseNum": 26,
"text": "Laban replied, “It is not our custom here to give the younger daughter in marriage before the older."
},
{
"verseNum": 27,
"text": "Finish this weeks celebration, and we will give you the younger one in return for another seven years of work.”"
},
{
"verseNum": 28,
"text": "And Jacob did just that. He finished the weeks celebration, and Laban gave him his daughter Rachel as his wife."
},
{
"verseNum": 29,
"text": "Laban also gave his servant girl Bilhah to his daughter Rachel as her maidservant."
},
{
"verseNum": 30,
"text": "Jacob slept with Rachel as well, and indeed, he loved Rachel more than Leah. So he worked for Laban another seven years."
},
{
"verseNum": 31,
"text": "When the LORD saw that Leah was unloved, He opened her womb; but Rachel was barren."
},
{
"verseNum": 32,
"text": "And Leah conceived and gave birth to a son, and she named him Reuben, for she said, “The LORD has seen my affliction. Surely my husband will love me now.”"
},
{
"verseNum": 33,
"text": "Again she conceived and gave birth to a son, and she said, “Because the LORD has heard that I am unloved, He has given me this son as well.” So she named him Simeon."
},
{
"verseNum": 34,
"text": "Once again Leah conceived and gave birth to a son, and she said, “Now at last my husband will become attached to me, because I have borne him three sons.” So he was named Levi."
},
{
"verseNum": 35,
"text": "And once more she conceived and gave birth to a son and said, “This time I will praise the LORD.” So she named him Judah. Then Leah stopped having children."
}
]
}

View File

@@ -0,0 +1,101 @@
{
"chapterNum": 3,
"verses": [
{
"verseNum": 1,
"text": "Now the serpent was more crafty than any beast of the field that the LORD God had made. And he said to the woman, “Did God really say, You must not eat from any tree in the garden?’”"
},
{
"verseNum": 2,
"text": "The woman answered the serpent, “We may eat the fruit of the trees of the garden,"
},
{
"verseNum": 3,
"text": "but about the fruit of the tree in the middle of the garden, God has said, You must not eat of it or touch it, or you will die.’”"
},
{
"verseNum": 4,
"text": "“You will not surely die,” the serpent told her."
},
{
"verseNum": 5,
"text": "“For God knows that in the day you eat of it, your eyes will be opened and you will be like God, knowing good and evil.”"
},
{
"verseNum": 6,
"text": "When the woman saw that the tree was good for food and pleasing to the eyes, and that it was desirable for obtaining wisdom, she took the fruit and ate it. She also gave some to her husband who was with her, and he ate it."
},
{
"verseNum": 7,
"text": "And the eyes of both of them were opened, and they knew that they were naked; so they sewed together fig leaves and made coverings for themselves."
},
{
"verseNum": 8,
"text": "Then the man and his wife heard the voice of the LORD God walking in the garden in the breeze of the day, and they hid themselves from the presence of the LORD God among the trees of the garden."
},
{
"verseNum": 9,
"text": "But the LORD God called out to the man, “Where are you?”"
},
{
"verseNum": 10,
"text": "“I heard Your voice in the garden,” he replied, “and I was afraid because I was naked; so I hid myself.”"
},
{
"verseNum": 11,
"text": "“Who told you that you were naked?” asked the LORD God. “Have you eaten from the tree of which I commanded you not to eat?”"
},
{
"verseNum": 12,
"text": "And the man answered, “The woman whom You gave me, she gave me fruit from the tree, and I ate it.”"
},
{
"verseNum": 13,
"text": "Then the LORD God said to the woman, “What is this you have done?”\n \n“The serpent deceived me,” she replied, “and I ate.”"
},
{
"verseNum": 14,
"text": "So the LORD God said to the serpent:\n \n “Because you have done this,\n cursed are you above all livestock\n and every beast of the field!\n On your belly will you go,\n and dust you will eat,\n all the days of your life."
},
{
"verseNum": 15,
"text": "And I will put enmity between you and the woman,\n and between your seed and her seed.\n He will crush your head,\n and you will strike his heel.”"
},
{
"verseNum": 16,
"text": "To the woman He said:\n \n “I will sharply increase your pain in childbirth;\n in pain you will bring forth children.\n Your desire will be for your husband,\n and he will rule over you.”"
},
{
"verseNum": 17,
"text": "And to Adam He said:\n \n “Because you have listened to the voice of your wife\n and have eaten from the tree\n of which I commanded you not to eat,\n cursed is the ground because of you;\n through toil you will eat of it\n all the days of your life."
},
{
"verseNum": 18,
"text": "Both thorns and thistles it will yield for you,\n and you will eat the plants of the field."
},
{
"verseNum": 19,
"text": "By the sweat of your brow\n you will eat your bread,\n until you return to the ground—\n because out of it were you taken.\n For dust you are,\n and to dust you shall return.”"
},
{
"verseNum": 20,
"text": "And Adam named his wife Eve, because she would be the mother of all the living."
},
{
"verseNum": 21,
"text": "And the LORD God made garments of skin for Adam and his wife, and He clothed them."
},
{
"verseNum": 22,
"text": "Then the LORD God said, “Behold, the man has become like one of Us, knowing good and evil. And now, lest he reach out his hand and take also from the tree of life, and eat, and live forever...”"
},
{
"verseNum": 23,
"text": "Therefore the LORD God banished him from the Garden of Eden to work the ground from which he had been taken."
},
{
"verseNum": 24,
"text": "So He drove out the man and stationed cherubim on the east side of the Garden of Eden, along with a whirling sword of flame to guard the way to the tree of life."
}
]
}

View File

@@ -0,0 +1,177 @@
{
"chapterNum": 30,
"verses": [
{
"verseNum": 1,
"text": "When Rachel saw that she was not bearing any children for Jacob, she envied her sister. “Give me children, or I will die!” she said to Jacob."
},
{
"verseNum": 2,
"text": "Jacob became angry with Rachel and said, “Am I in the place of God, who has withheld children from you?”"
},
{
"verseNum": 3,
"text": "Then she said, “Here is my maidservant Bilhah. Sleep with her, that she may bear children for me, so that through her I too can build a family.”"
},
{
"verseNum": 4,
"text": "So Rachel gave Jacob her servant Bilhah as a wife, and he slept with her,"
},
{
"verseNum": 5,
"text": "and Bilhah conceived and bore him a son."
},
{
"verseNum": 6,
"text": "Then Rachel said, “God has vindicated me; He has heard my plea and given me a son.” So she named him Dan."
},
{
"verseNum": 7,
"text": "And Rachels servant Bilhah conceived again and bore Jacob a second son."
},
{
"verseNum": 8,
"text": "Then Rachel said, “In my great struggles, I have wrestled with my sister and won.” So she named him Naphtali."
},
{
"verseNum": 9,
"text": "When Leah saw that she had stopped having children, she gave her servant Zilpah to Jacob as a wife."
},
{
"verseNum": 10,
"text": "And Leahs servant Zilpah bore Jacob a son."
},
{
"verseNum": 11,
"text": "Then Leah said, “How fortunate!” So she named him Gad."
},
{
"verseNum": 12,
"text": "When Leahs servant Zilpah bore Jacob a second son,"
},
{
"verseNum": 13,
"text": "Leah said, “How happy I am! For the women call me happy.” So she named him Asher."
},
{
"verseNum": 14,
"text": "Now during the wheat harvest, Reuben went out and found some mandrakes in the field. When he brought them to his mother, Rachel begged Leah, “Please give me some of your sons mandrakes.”"
},
{
"verseNum": 15,
"text": "But Leah replied, “Is it not enough that you have taken away my husband? Now you want to take my sons mandrakes as well?”\n \n“Very well,” said Rachel, “he may sleep with you tonight in exchange for your sons mandrakes.”"
},
{
"verseNum": 16,
"text": "When Jacob came in from the field that evening, Leah went out to meet him and said, “You must come with me, for I have hired you with my sons mandrakes.” So he slept with her that night."
},
{
"verseNum": 17,
"text": "And God listened to Leah, and she conceived and bore a fifth son to Jacob."
},
{
"verseNum": 18,
"text": "Then Leah said, “God has rewarded me for giving my maidservant to my husband.” So she named him Issachar."
},
{
"verseNum": 19,
"text": "Again Leah conceived and bore a sixth son to Jacob."
},
{
"verseNum": 20,
"text": "“God has given me a good gift,” she said. “This time my husband will honor me, because I have borne him six sons.” And she named him Zebulun."
},
{
"verseNum": 21,
"text": "After that, Leah gave birth to a daughter and named her Dinah."
},
{
"verseNum": 22,
"text": "Then God remembered Rachel. He listened to her and opened her womb,"
},
{
"verseNum": 23,
"text": "and she conceived and gave birth to a son. “God has taken away my shame,” she said."
},
{
"verseNum": 24,
"text": "She named him Joseph, and said, “May the LORD add to me another son.”"
},
{
"verseNum": 25,
"text": "Now after Rachel had given birth to Joseph, Jacob said to Laban, “Send me on my way so I can return to my homeland."
},
{
"verseNum": 26,
"text": "Give me my wives and children for whom I have served you, that I may go on my way. You know how hard I have worked for you.”"
},
{
"verseNum": 27,
"text": "But Laban replied, “If I have found favor in your eyes, please stay. I have learned by divination that the LORD has blessed me because of you.”"
},
{
"verseNum": 28,
"text": "And he added, “Name your wages, and I will pay them.”"
},
{
"verseNum": 29,
"text": "Then Jacob answered, “You know how I have served you and how your livestock have thrived under my care."
},
{
"verseNum": 30,
"text": "Indeed, you had very little before my arrival, but now your wealth has increased many times over. The LORD has blessed you wherever I set foot. But now, when may I also provide for my own household?”"
},
{
"verseNum": 31,
"text": "“What can I give you?” Laban asked.\n \n“You do not need to give me anything,” Jacob replied. “If you do this one thing for me, I will keep on shepherding and keeping your flocks."
},
{
"verseNum": 32,
"text": "Let me go through all your flocks today and remove from them every speckled or spotted sheep, every dark-colored lamb, and every spotted or speckled goat. These will be my wages."
},
{
"verseNum": 33,
"text": "So my honesty will testify for me when you come to check on my wages in the future. If I have any goats that are not speckled or spotted, or any lambs that are not dark-colored, they will be considered stolen.”"
},
{
"verseNum": 34,
"text": "“Agreed,” said Laban. “Let it be as you have said.”"
},
{
"verseNum": 35,
"text": "That very day Laban removed all the streaked or spotted male goats and every speckled or spotted female goat—every one that had any white on it—and every dark-colored lamb, and he placed them under the care of his sons."
},
{
"verseNum": 36,
"text": "Then he put a three-day journey between himself and Jacob, while Jacob was shepherding the rest of Labans flocks."
},
{
"verseNum": 37,
"text": "Jacob, however, took fresh branches of poplar, almond, and plane trees, and peeled the bark, exposing the white inner wood of the branches."
},
{
"verseNum": 38,
"text": "Then he set the peeled branches in the watering troughs in front of the flocks coming in to drink. So when the flocks were in heat and came to drink,"
},
{
"verseNum": 39,
"text": "they mated in front of the branches. And they bore young that were streaked or speckled or spotted."
},
{
"verseNum": 40,
"text": "Jacob set apart the young, but made the rest face the streaked dark-colored sheep in Labans flocks. Then he set his own stock apart and did not put them with Labans animals."
},
{
"verseNum": 41,
"text": "Whenever the stronger females of the flock were in heat, Jacob would place the branches in the troughs, in full view of the animals, so that they would breed in front of the branches."
},
{
"verseNum": 42,
"text": "But if the animals were weak, he did not set out the branches. So the weaker animals went to Laban and the stronger ones to Jacob."
},
{
"verseNum": 43,
"text": "Thus Jacob became exceedingly prosperous. He owned large flocks, maidservants and menservants, and camels and donkeys."
}
]
}

View File

@@ -0,0 +1,225 @@
{
"chapterNum": 31,
"verses": [
{
"verseNum": 1,
"text": "Now Jacob heard that Labans sons were saying, “Jacob has taken away all that belonged to our father and built all this wealth at our fathers expense.”"
},
{
"verseNum": 2,
"text": "And Jacob saw from the countenance of Laban that his attitude toward him had changed."
},
{
"verseNum": 3,
"text": "Then the LORD said to Jacob, “Go back to the land of your fathers and to your kindred, and I will be with you.”"
},
{
"verseNum": 4,
"text": "So Jacob sent word and called Rachel and Leah to the field where his flocks were,"
},
{
"verseNum": 5,
"text": "and he told them, “I can see from your fathers countenance that his attitude toward me has changed; but the God of my father has been with me."
},
{
"verseNum": 6,
"text": "You know that I have served your father with all my strength."
},
{
"verseNum": 7,
"text": "And although he has cheated me and changed my wages ten times, God has not allowed him to harm me."
},
{
"verseNum": 8,
"text": "If he said, The speckled will be your wages, then the whole flock bore speckled offspring. If he said, The streaked will be your wages, then the whole flock bore streaked offspring."
},
{
"verseNum": 9,
"text": "Thus God has taken away your fathers livestock and given them to me."
},
{
"verseNum": 10,
"text": "When the flocks were breeding, I saw in a dream that the streaked, spotted, and speckled males were mating with the females."
},
{
"verseNum": 11,
"text": "In that dream the angel of God said to me, Jacob!\n \nAnd I replied, Here I am."
},
{
"verseNum": 12,
"text": "Look up, he said, and see that all the males that are mating with the flock are streaked, spotted, or speckled; for I have seen all that Laban has done to you."
},
{
"verseNum": 13,
"text": "I am the God of Bethel, where you anointed the pillar and made a solemn vow to Me. Now get up and leave this land at once, and return to your native land.’”"
},
{
"verseNum": 14,
"text": "And Rachel and Leah replied, “Do we have any portion or inheritance left in our fathers house?"
},
{
"verseNum": 15,
"text": "Are we not regarded by him as outsiders? Not only has he sold us, but he has certainly squandered what was paid for us."
},
{
"verseNum": 16,
"text": "Surely all the wealth that God has taken away from our father belongs to us and to our children. So do whatever God has told you.”"
},
{
"verseNum": 17,
"text": "Then Jacob got up and put his children and his wives on camels,"
},
{
"verseNum": 18,
"text": "and he drove all his livestock before him, along with all the possessions he had acquired in Paddan-aram, to go to his father Isaac in the land in Canaan."
},
{
"verseNum": 19,
"text": "Now while Laban was out shearing his sheep, Rachel stole her fathers household idols."
},
{
"verseNum": 20,
"text": "Moreover, Jacob deceived Laban the Aramean by not telling him that he was running away."
},
{
"verseNum": 21,
"text": "So he fled with all his possessions, crossed the Euphrates, and headed for the hill country of Gilead."
},
{
"verseNum": 22,
"text": "On the third day Laban was informed that Jacob had fled."
},
{
"verseNum": 23,
"text": "So he took his relatives with him, pursued Jacob for seven days, and overtook him in the hill country of Gilead."
},
{
"verseNum": 24,
"text": "But that night God came to Laban the Aramean in a dream and warned him, “Be careful not to say anything to Jacob, either good or bad.”"
},
{
"verseNum": 25,
"text": "Now Jacob had pitched his tent in the hill country of Gilead when Laban overtook him, and Laban and his relatives camped there as well."
},
{
"verseNum": 26,
"text": "Then Laban said to Jacob, “What have you done? You have deceived me and carried off my daughters like captives of war!"
},
{
"verseNum": 27,
"text": "Why did you run away secretly and deceive me, without even telling me? I would have sent you away with joy and singing, with tambourines and harps."
},
{
"verseNum": 28,
"text": "But you did not even let me kiss my grandchildren and my daughters goodbye. Now you have done a foolish thing."
},
{
"verseNum": 29,
"text": "I have power to do you great harm, but last night the God of your father said to me, Be careful not to say anything to Jacob, either good or bad."
},
{
"verseNum": 30,
"text": "Now you have gone off because you long for your fathers house. But why have you stolen my gods?”"
},
{
"verseNum": 31,
"text": "“I was afraid,” Jacob answered, “for I thought you would take your daughters from me by force."
},
{
"verseNum": 32,
"text": "If you find your gods with anyone here, he shall not live! In the presence of our relatives, see for yourself if anything is yours, and take it back.” For Jacob did not know that Rachel had stolen the idols."
},
{
"verseNum": 33,
"text": "So Laban went into Jacobs tent, then Leahs tent, and then the tents of the two maidservants, but he found nothing. Then he left Leahs tent and entered Rachels tent."
},
{
"verseNum": 34,
"text": "Now Rachel had taken Labans household idols, put them in the saddlebag of her camel, and was sitting on them. And Laban searched everything in the tent but found nothing."
},
{
"verseNum": 35,
"text": "Rachel said to her father, “Sir, do not be angry that I cannot stand up before you; for I am having my period.” So Laban searched, but could not find the household idols."
},
{
"verseNum": 36,
"text": "Then Jacob became incensed and challenged Laban. “What is my crime?” he said. “For what sin of mine have you so hotly pursued me?"
},
{
"verseNum": 37,
"text": "You have searched all my goods! Have you found anything that belongs to you? Put it here before my brothers and yours, that they may judge between the two of us."
},
{
"verseNum": 38,
"text": "I have been with you for twenty years now. Your sheep and goats have not miscarried, nor have I eaten the rams of your flock."
},
{
"verseNum": 39,
"text": "I did not bring you anything torn by wild beasts; I bore the loss myself. And you demanded payment from me for what was stolen by day or night."
},
{
"verseNum": 40,
"text": "As it was, the heat consumed me by day and the frost by night, and sleep fled from my eyes."
},
{
"verseNum": 41,
"text": "Thus for twenty years I have served in your household—fourteen years for your two daughters and six years for your flocks—and you have changed my wages ten times!"
},
{
"verseNum": 42,
"text": "If the God of my father, the God of Abraham and the Fear of Isaac, had not been with me, surely by now you would have sent me away empty-handed. But God has seen my affliction and the toil of my hands, and last night He rendered judgment.”"
},
{
"verseNum": 43,
"text": "But Laban answered Jacob, “These daughters are my daughters, these sons are my sons, and these flocks are my flocks! Everything you see is mine! Yet what can I do today about these daughters of mine or the children they have borne?"
},
{
"verseNum": 44,
"text": "Come now, let us make a covenant, you and I, and let it serve as a witness between you and me.”"
},
{
"verseNum": 45,
"text": "So Jacob picked out a stone and set it up as a pillar,"
},
{
"verseNum": 46,
"text": "and he said to his relatives, “Gather some stones.” So they took stones and made a mound, and there by the mound they ate."
},
{
"verseNum": 47,
"text": "Laban called it Jegar-sahadutha, and Jacob called it Galeed."
},
{
"verseNum": 48,
"text": "Then Laban declared, “This mound is a witness between you and me this day.”\n \nTherefore the place was called Galeed."
},
{
"verseNum": 49,
"text": "It was also called Mizpah, because Laban said, “May the LORD keep watch between you and me when we are absent from each other."
},
{
"verseNum": 50,
"text": "If you mistreat my daughters or take other wives, although no one is with us, remember that God is a witness between you and me.”"
},
{
"verseNum": 51,
"text": "Laban also said to Jacob, “Here is the mound, and here is the pillar I have set up between you and me."
},
{
"verseNum": 52,
"text": "This mound is a witness, and this pillar is a witness, that I will not go past this mound to harm you, and you will not go past this mound and pillar to harm me."
},
{
"verseNum": 53,
"text": "May the God of Abraham and the God of Nahor, the God of their father, judge between us.”\n \nSo Jacob swore by the Fear of his father Isaac."
},
{
"verseNum": 54,
"text": "Then Jacob offered a sacrifice on the mountain and invited his relatives to eat a meal. And after they had eaten, they spent the night on the mountain."
},
{
"verseNum": 55,
"text": "Early the next morning, Laban got up and kissed his grandchildren and daughters and blessed them. Then he left to return home."
}
]
}

View File

@@ -0,0 +1,133 @@
{
"chapterNum": 32,
"verses": [
{
"verseNum": 1,
"text": "Jacob also went on his way, and the angels of God met him."
},
{
"verseNum": 2,
"text": "When Jacob saw them, he said, “This is the camp of God.” So he named that place Mahanaim."
},
{
"verseNum": 3,
"text": "Jacob sent messengers ahead of him to his brother Esau in the land of Seir, the country of Edom."
},
{
"verseNum": 4,
"text": "He instructed them, “You are to say to my master Esau, Your servant Jacob says: I have been staying with Laban and have remained there until now."
},
{
"verseNum": 5,
"text": "I have oxen, donkeys, flocks, menservants, and maidservants. I have sent this message to inform my master, so that I may find favor in your sight.’”"
},
{
"verseNum": 6,
"text": "When the messengers returned to Jacob, they said, “We went to your brother Esau, and now he is coming to meet you—he and four hundred men with him.”"
},
{
"verseNum": 7,
"text": "In great fear and distress, Jacob divided his people into two camps, as well as the flocks and herds and camels."
},
{
"verseNum": 8,
"text": "He thought, “If Esau comes and attacks one camp, then the other camp can escape.”"
},
{
"verseNum": 9,
"text": "Then Jacob declared, “O God of my father Abraham, God of my father Isaac, the LORD who told me, Go back to your country and to your kindred, and I will make you prosper,"
},
{
"verseNum": 10,
"text": "I am unworthy of all the kindness and faithfulness You have shown Your servant. Indeed, with only my staff I came across the Jordan, but now I have become two camps."
},
{
"verseNum": 11,
"text": "Please deliver me from the hand of my brother Esau, for I am afraid that he may come and attack me and the mothers and children with me."
},
{
"verseNum": 12,
"text": "But You have said, I will surely make you prosper, and I will make your offspring like the sand of the sea, too numerous to count.’”"
},
{
"verseNum": 13,
"text": "Jacob spent the night there, and from what he had brought with him, he selected a gift for his brother Esau:"
},
{
"verseNum": 14,
"text": "200 female goats, 20 male goats, 200 ewes, 20 rams,"
},
{
"verseNum": 15,
"text": "30 milk camels with their young, 40 cows, 10 bulls, 20 female donkeys, and 10 male donkeys."
},
{
"verseNum": 16,
"text": "He entrusted them to his servants in separate herds and told them, “Go on ahead of me, and keep some distance between the herds.”"
},
{
"verseNum": 17,
"text": "He instructed the one in the lead, “When my brother Esau meets you and asks, To whom do you belong, where are you going, and whose animals are these before you?"
},
{
"verseNum": 18,
"text": "then you are to say, They belong to your servant Jacob. They are a gift, sent to my lord Esau. And behold, Jacob is behind us.’”"
},
{
"verseNum": 19,
"text": "He also instructed the second, the third, and all those following behind the herds: “When you meet Esau, you are to say the same thing to him."
},
{
"verseNum": 20,
"text": "You are also to say, Look, your servant Jacob is right behind us.’” For he thought, “I will appease Esau with the gift that is going before me. After that I can face him, and perhaps he will accept me.”"
},
{
"verseNum": 21,
"text": "So Jacobs gifts went on before him, while he spent the night in the camp."
},
{
"verseNum": 22,
"text": "During the night Jacob got up and took his two wives, his two maidservants, and his eleven sons, and crossed the ford of the Jabbok."
},
{
"verseNum": 23,
"text": "He took them and sent them across the stream, along with all his possessions."
},
{
"verseNum": 24,
"text": "So Jacob was left all alone, and there a man wrestled with him until daybreak."
},
{
"verseNum": 25,
"text": "When the man saw that he could not overpower Jacob, he struck the socket of Jacobs hip and dislocated it as they wrestled."
},
{
"verseNum": 26,
"text": "Then the man said, “Let me go, for it is daybreak.”\n \nBut Jacob replied, “I will not let you go unless you bless me.”"
},
{
"verseNum": 27,
"text": "“What is your name?” the man asked.\n \n“Jacob,” he replied."
},
{
"verseNum": 28,
"text": "Then the man said, “Your name will no longer be Jacob, but Israel, because you have struggled with God and with men, and you have prevailed.”"
},
{
"verseNum": 29,
"text": "And Jacob requested, “Please tell me your name.”\n \nBut he replied, “Why do you ask my name?” Then he blessed Jacob there."
},
{
"verseNum": 30,
"text": "So Jacob named the place Peniel, saying, “Indeed, I have seen God face to face, and yet my life was spared.”"
},
{
"verseNum": 31,
"text": "The sun rose above him as he passed by Penuel, and he was limping because of his hip."
},
{
"verseNum": 32,
"text": "Therefore to this day the Israelites do not eat the tendon which is at the socket of the hip, because the socket of Jacobs hip was struck near that tendon."
}
]
}

View File

@@ -0,0 +1,85 @@
{
"chapterNum": 33,
"verses": [
{
"verseNum": 1,
"text": "Now Jacob looked up and saw Esau coming toward him with four hundred men. So he divided the children among Leah, Rachel, and the two maidservants."
},
{
"verseNum": 2,
"text": "He put the maidservants and their children in front, Leah and her children next, and Rachel and Joseph at the rear."
},
{
"verseNum": 3,
"text": "But Jacob himself went on ahead and bowed to the ground seven times as he approached his brother."
},
{
"verseNum": 4,
"text": "Esau, however, ran to him and embraced him, threw his arms around his neck, and kissed him. And they both wept."
},
{
"verseNum": 5,
"text": "When Esau looked up and saw the women and children, he asked, “Who are these with you?”\n \nJacob answered, “These are the children God has graciously given your servant.”"
},
{
"verseNum": 6,
"text": "Then the maidservants and their children approached and bowed down."
},
{
"verseNum": 7,
"text": "Leah and her children also approached and bowed down, and then Joseph and Rachel approached and bowed down."
},
{
"verseNum": 8,
"text": "“What do you mean by sending this whole company to meet me?” asked Esau.\n \n“To find favor in your sight, my lord,” Jacob answered."
},
{
"verseNum": 9,
"text": "“I already have plenty, my brother,” Esau replied. “Keep what belongs to you.”"
},
{
"verseNum": 10,
"text": "But Jacob insisted, “No, please! If I have found favor in your sight, then receive this gift from my hand. For indeed, I have seen your face, and it is like seeing the face of God, since you have received me favorably."
},
{
"verseNum": 11,
"text": "Please accept my gift that was brought to you, because God has been gracious to me and I have all I need.” So Jacob pressed him until he accepted."
},
{
"verseNum": 12,
"text": "Then Esau said, “Let us be on our way, and I will go ahead of you.”"
},
{
"verseNum": 13,
"text": "But Jacob replied, “My lord knows that the children are frail, and I must care for sheep and cattle that are nursing their young. If they are driven hard for even a day, all the animals will die."
},
{
"verseNum": 14,
"text": "Please let my lord go ahead of his servant. I will continue on slowly, at a comfortable pace for the livestock and children, until I come to my lord at Seir.”"
},
{
"verseNum": 15,
"text": "“Let me leave some of my people with you,” Esau said.\n \nBut Jacob replied, “Why do that? Let me find favor in the sight of my lord.”"
},
{
"verseNum": 16,
"text": "So that day Esau started on his way back to Seir,"
},
{
"verseNum": 17,
"text": "but Jacob went on to Succoth, where he built a house for himself and shelters for his livestock; that is why the place was called Succoth."
},
{
"verseNum": 18,
"text": "After Jacob had come from Paddan-aram, he arrived safely at the city of Shechem in the land of Canaan, and he camped just outside the city."
},
{
"verseNum": 19,
"text": "And the plot of ground where he pitched his tent, he purchased from the sons of Hamor, Shechems father, for a hundred pieces of silver."
},
{
"verseNum": 20,
"text": "There he set up an altar and called it El-Elohe-Israel."
}
]
}

View File

@@ -0,0 +1,129 @@
{
"chapterNum": 34,
"verses": [
{
"verseNum": 1,
"text": "Now Dinah, the daughter Leah had borne to Jacob, went out to visit the daughters of the land."
},
{
"verseNum": 2,
"text": "When Shechem son of Hamor the Hivite, the prince of the region, saw her, he took her and lay with her by force."
},
{
"verseNum": 3,
"text": "And his soul was drawn to Dinah, the daughter of Jacob. He loved the young girl and spoke to her tenderly."
},
{
"verseNum": 4,
"text": "So Shechem told his father Hamor, “Get me this girl as a wife.”"
},
{
"verseNum": 5,
"text": "Jacob heard that Shechem had defiled his daughter Dinah, but since his sons were with his livestock in the field, he remained silent about it until they returned."
},
{
"verseNum": 6,
"text": "Meanwhile, Shechems father Hamor came to speak with Jacob."
},
{
"verseNum": 7,
"text": "When Jacobs sons heard what had happened, they returned from the field. They were filled with grief and fury, because Shechem had committed an outrage in Israel by lying with Jacobs daughter—a thing that should not be done."
},
{
"verseNum": 8,
"text": "But Hamor said to them, “My son Shechem longs for your daughter. Please give her to him as his wife."
},
{
"verseNum": 9,
"text": "Intermarry with us; give us your daughters, and take our daughters for yourselves."
},
{
"verseNum": 10,
"text": "You may settle among us, and the land will be open to you. Live here, move about freely, and acquire your own property.”"
},
{
"verseNum": 11,
"text": "Then Shechem said to Dinahs father and brothers, “Grant me this favor, and I will give you whatever you ask."
},
{
"verseNum": 12,
"text": "Demand a high dowry and an expensive gift, and I will give you whatever you ask. Only give me the girl as my wife!”"
},
{
"verseNum": 13,
"text": "But because Shechem had defiled their sister Dinah, Jacobs sons answered him and his father Hamor deceitfully."
},
{
"verseNum": 14,
"text": "“We cannot do such a thing,” they said. “To give our sister to an uncircumcised man would be a disgrace to us."
},
{
"verseNum": 15,
"text": "We will consent to this on one condition, that you become circumcised like us—every one of your males."
},
{
"verseNum": 16,
"text": "Then we will give you our daughters and take your daughters for ourselves. We will dwell among you and become one people."
},
{
"verseNum": 17,
"text": "But if you will not agree to be circumcised, then we will take our sister and go.”"
},
{
"verseNum": 18,
"text": "Their offer seemed good to Hamor and his son Shechem."
},
{
"verseNum": 19,
"text": "The young man, who was the most respected of all his fathers household, did not hesitate to fulfill this request, because he was delighted with Jacobs daughter."
},
{
"verseNum": 20,
"text": "So Hamor and his son Shechem went to the gate of their city and addressed the men of their city:"
},
{
"verseNum": 21,
"text": "“These men are at peace with us. Let them live and trade in our land; indeed, it is large enough for them. Let us take their daughters in marriage and give our daughters to them."
},
{
"verseNum": 22,
"text": "But only on this condition will the men agree to dwell with us and be one people: if all our men are circumcised as they are."
},
{
"verseNum": 23,
"text": "Will not their livestock, their possessions, and all their animals become ours? Only let us consent to them, and they will dwell among us.”"
},
{
"verseNum": 24,
"text": "All the men who went out of the city gate listened to Hamor and his son Shechem, and every male of the city was circumcised."
},
{
"verseNum": 25,
"text": "Three days later, while they were still in pain, two of Jacobs sons (Dinahs brothers Simeon and Levi) took their swords, went into the unsuspecting city, and slaughtered every male."
},
{
"verseNum": 26,
"text": "They killed Hamor and his son Shechem with their swords, took Dinah out of Shechems house, and went away."
},
{
"verseNum": 27,
"text": "Jacobs other sons came upon the slaughter and looted the city, because their sister had been defiled."
},
{
"verseNum": 28,
"text": "They took their flocks and herds and donkeys, and everything else in the city or in the field."
},
{
"verseNum": 29,
"text": "They carried off all their possessions and women and children, and they plundered everything in their houses."
},
{
"verseNum": 30,
"text": "Then Jacob said to Simeon and Levi, “You have brought trouble upon me by making me a stench to the Canaanites and Perizzites, the people of this land. We are few in number; if they unite against me and attack me, I and my household will be destroyed.”"
},
{
"verseNum": 31,
"text": "But they replied, “Should he have treated our sister like a prostitute?”"
}
]
}

View File

@@ -0,0 +1,121 @@
{
"chapterNum": 35,
"verses": [
{
"verseNum": 1,
"text": "Then God said to Jacob, “Arise, go up to Bethel, and settle there. Build an altar there to the God who appeared to you when you fled from your brother Esau.”"
},
{
"verseNum": 2,
"text": "So Jacob told his household and all who were with him, “Get rid of the foreign gods that are among you. Purify yourselves and change your garments."
},
{
"verseNum": 3,
"text": "Then let us arise and go to Bethel. I will build an altar there to God, who answered me in my day of distress. He has been with me wherever I have gone.”"
},
{
"verseNum": 4,
"text": "So they gave Jacob all their foreign gods and all their earrings, and Jacob buried them under the oak near Shechem."
},
{
"verseNum": 5,
"text": "As they set out, a terror from God fell over the surrounding cities, so that they did not pursue Jacobs sons."
},
{
"verseNum": 6,
"text": "So Jacob and everyone with him arrived in Luz (that is, Bethel) in the land of Canaan."
},
{
"verseNum": 7,
"text": "There Jacob built an altar, and he called that place El-bethel, because it was there that God had revealed Himself to Jacob as he fled from his brother."
},
{
"verseNum": 8,
"text": "Now Deborah, Rebekahs nurse, died and was buried under the oak below Bethel. So Jacob named it Allon-bachuth."
},
{
"verseNum": 9,
"text": "After Jacob had returned from Paddan-aram, God appeared to him again and blessed him."
},
{
"verseNum": 10,
"text": "And God said to him, “Though your name is Jacob, you will no longer be called Jacob. Instead, your name will be Israel.” So God named him Israel."
},
{
"verseNum": 11,
"text": "And God told him, “I am God Almighty. Be fruitful and multiply. A nation—even a company of nations—shall come from you, and kings shall descend from you."
},
{
"verseNum": 12,
"text": "The land that I gave to Abraham and Isaac I will give to you, and I will give this land to your descendants after you.”"
},
{
"verseNum": 13,
"text": "Then God went up from the place where He had spoken with him."
},
{
"verseNum": 14,
"text": "So Jacob set up a pillar in the place where God had spoken with him—a stone marker—and he poured out a drink offering on it and anointed it with oil."
},
{
"verseNum": 15,
"text": "Jacob called the place where God had spoken with him Bethel."
},
{
"verseNum": 16,
"text": "Later, they set out from Bethel, and while they were still some distance from Ephrath, Rachel began to give birth, and her labor was difficult."
},
{
"verseNum": 17,
"text": "During her severe labor, the midwife said to her, “Do not be afraid, for you are having another son.”"
},
{
"verseNum": 18,
"text": "And with her last breath—for she was dying—she named him Ben-oni. But his father called him Benjamin."
},
{
"verseNum": 19,
"text": "So Rachel died and was buried on the way to Ephrath (that is, Bethlehem)."
},
{
"verseNum": 20,
"text": "Jacob set up a pillar on her grave; it marks Rachels tomb to this day."
},
{
"verseNum": 21,
"text": "Israel again set out and pitched his tent beyond the Tower of Eder."
},
{
"verseNum": 22,
"text": "While Israel was living in that region, Reuben went in and slept with his fathers concubine Bilhah, and Israel heard about it.\n \nJacob had twelve sons:"
},
{
"verseNum": 23,
"text": "The sons of Leah were Reuben the firstborn of Jacob, Simeon, Levi, Judah, Issachar, and Zebulun."
},
{
"verseNum": 24,
"text": "The sons of Rachel were Joseph and Benjamin."
},
{
"verseNum": 25,
"text": "The sons of Rachels maidservant Bilhah were Dan and Naphtali."
},
{
"verseNum": 26,
"text": "And the sons of Leahs maidservant Zilpah were Gad and Asher.\n \nThese are the sons of Jacob, who were born to him in Paddan-aram."
},
{
"verseNum": 27,
"text": "Jacob returned to his father Isaac at Mamre, near Kiriath-arba (that is, Hebron), where Abraham and Isaac had stayed."
},
{
"verseNum": 28,
"text": "And Isaac lived 180 years."
},
{
"verseNum": 29,
"text": "Then he breathed his last and died and was gathered to his people, old and full of years. And his sons Esau and Jacob buried him."
}
]
}

View File

@@ -0,0 +1,177 @@
{
"chapterNum": 36,
"verses": [
{
"verseNum": 1,
"text": "This is the account of Esau (that is, Edom)."
},
{
"verseNum": 2,
"text": "Esau took his wives from the daughters of Canaan: Adah daughter of Elon the Hittite, Oholibamah daughter of Anah and granddaughter of Zibeon the Hivite,"
},
{
"verseNum": 3,
"text": "and Basemath daughter of Ishmael and sister of Nebaioth."
},
{
"verseNum": 4,
"text": "And Adah bore Eliphaz to Esau, Basemath gave birth to Reuel,"
},
{
"verseNum": 5,
"text": "and Oholibamah gave birth to Jeush, Jalam, and Korah. These were the sons of Esau, who were born to him in the land of Canaan."
},
{
"verseNum": 6,
"text": "Later, Esau took his wives and sons and daughters and all the people of his household, along with his livestock, all his other animals, and all the property he had acquired in Canaan, and he moved to a land far away from his brother Jacob."
},
{
"verseNum": 7,
"text": "For their possessions were too great for them to dwell together; the land where they stayed could not support them because of their livestock."
},
{
"verseNum": 8,
"text": "So Esau (that is, Edom) settled in the area of Mount Seir."
},
{
"verseNum": 9,
"text": "This is the account of Esau, the father of the Edomites, in the area of Mount Seir."
},
{
"verseNum": 10,
"text": "These are the names of Esaus sons: Eliphaz son of Esaus wife Adah, and Reuel son of Esaus wife Basemath."
},
{
"verseNum": 11,
"text": "The sons of Eliphaz were Teman, Omar, Zepho, Gatam, and Kenaz."
},
{
"verseNum": 12,
"text": "Additionally, Timna, a concubine of Esaus son Eliphaz, gave birth to Amalek. These are the grandsons of Esaus wife Adah."
},
{
"verseNum": 13,
"text": "These are the sons of Reuel: Nahath, Zerah, Shammah, and Mizzah. They are the grandsons of Esaus wife Basemath."
},
{
"verseNum": 14,
"text": "These are the sons of Esaus wife Oholibamah (daughter of Anah and granddaughter of Zibeon) whom she bore to Esau: Jeush, Jalam, and Korah."
},
{
"verseNum": 15,
"text": "These are the chiefs among the sons of Esau. The sons of Eliphaz the firstborn of Esau: Chiefs Teman, Omar, Zepho, Kenaz,"
},
{
"verseNum": 16,
"text": "Korah, Gatam, and Amalek. They are the chiefs of Eliphaz in the land of Edom, and they are the grandsons of Adah."
},
{
"verseNum": 17,
"text": "These are the sons of Esaus son Reuel: Chiefs Nahath, Zerah, Shammah, and Mizzah. They are the chiefs descended from Reuel in the land of Edom, and they are the grandsons of Esaus wife Basemath."
},
{
"verseNum": 18,
"text": "These are the sons of Esaus wife Oholibamah: Chiefs Jeush, Jalam, and Korah. They are the chiefs descended from Esaus wife Oholibamah, the daughter of Anah."
},
{
"verseNum": 19,
"text": "All these are the sons of Esau (that is, Edom), and they were their chiefs."
},
{
"verseNum": 20,
"text": "These are the sons of Seir the Horite, who were living in the land: Lotan, Shobal, Zibeon, Anah,"
},
{
"verseNum": 21,
"text": "Dishon, Ezer, and Dishan. They are the chiefs of the Horites, the descendants of Seir in the land of Edom."
},
{
"verseNum": 22,
"text": "The sons of Lotan were Hori and Hemam. Timna was Lotans sister."
},
{
"verseNum": 23,
"text": "These are the sons of Shobal: Alvan, Manahath, Ebal, Shepho, and Onam."
},
{
"verseNum": 24,
"text": "These are the sons of Zibeon: Aiah and Anah. (This is the Anah who found the hot springs in the wilderness as he was pasturing the donkeys of his father Zibeon.)"
},
{
"verseNum": 25,
"text": "These are the children of Anah: Dishon and Oholibamah daughter of Anah."
},
{
"verseNum": 26,
"text": "These are the sons of Dishon: Hemdan, Eshban, Ithran, and Cheran."
},
{
"verseNum": 27,
"text": "These are the sons of Ezer: Bilhan, Zaavan, and Akan."
},
{
"verseNum": 28,
"text": "These are the sons of Dishan: Uz and Aran."
},
{
"verseNum": 29,
"text": "These are the chiefs of the Horites: Chiefs Lotan, Shobal, Zibeon, Anah,"
},
{
"verseNum": 30,
"text": "Dishon, Ezer, and Dishan. They are the chiefs of the Horites, according to their divisions in the land of Seir."
},
{
"verseNum": 31,
"text": "These are the kings who reigned in the land of Edom before any king reigned over the Israelites:"
},
{
"verseNum": 32,
"text": "Bela son of Beor reigned in Edom; the name of his city was Dinhabah."
},
{
"verseNum": 33,
"text": "When Bela died, Jobab son of Zerah from Bozrah reigned in his place."
},
{
"verseNum": 34,
"text": "When Jobab died, Husham from the land of the Temanites reigned in his place."
},
{
"verseNum": 35,
"text": "When Husham died, Hadad son of Bedad, who defeated Midian in the country of Moab, reigned in his place. And the name of his city was Avith."
},
{
"verseNum": 36,
"text": "When Hadad died, Samlah from Masrekah reigned in his place."
},
{
"verseNum": 37,
"text": "When Samlah died, Shaul from Rehoboth on the Euphrates reigned in his place."
},
{
"verseNum": 38,
"text": "When Shaul died, Baal-hanan son of Achbor reigned in his place."
},
{
"verseNum": 39,
"text": "When Baal-hanan son of Achbor died, Hadad reigned in his place. His city was named Pau, and his wifes name was Mehetabel daughter of Matred, the daughter of Me-zahab."
},
{
"verseNum": 40,
"text": "These are the names of Esaus chiefs, according to their families and regions, by their names: Chiefs Timna, Alvah, Jetheth,"
},
{
"verseNum": 41,
"text": "Oholibamah, Elah, Pinon,"
},
{
"verseNum": 42,
"text": "Kenaz, Teman, Mibzar,"
},
{
"verseNum": 43,
"text": "Magdiel, and Iram. These were the chiefs of Edom, according to their settlements in the land they possessed. Esau was the father of the Edomites."
}
]
}

View File

@@ -0,0 +1,149 @@
{
"chapterNum": 37,
"verses": [
{
"verseNum": 1,
"text": "Now Jacob lived in the land where his father had resided, the land of Canaan."
},
{
"verseNum": 2,
"text": "This is the account of Jacob. When Joseph was seventeen years old, he was tending the flock with his brothers, the sons of his fathers wives Bilhah and Zilpah, and he brought their father a bad report about them."
},
{
"verseNum": 3,
"text": "Now Israel loved Joseph more than his other sons, because Joseph had been born to him in his old age; so he made him a robe of many colors."
},
{
"verseNum": 4,
"text": "When Josephs brothers saw that their father loved him more than any of them, they hated him and could not speak a kind word to him."
},
{
"verseNum": 5,
"text": "Then Joseph had a dream, and when he told it to his brothers, they hated him even more."
},
{
"verseNum": 6,
"text": "He said to them, “Listen to this dream I had:"
},
{
"verseNum": 7,
"text": "We were binding sheaves of grain in the field, and suddenly my sheaf rose and stood upright, while your sheaves gathered around and bowed down to mine.”"
},
{
"verseNum": 8,
"text": "“Do you intend to reign over us?” his brothers asked. “Will you actually rule us?” So they hated him even more because of his dream and his statements."
},
{
"verseNum": 9,
"text": "Then Joseph had another dream and told it to his brothers. “Look,” he said, “I had another dream, and this time the sun and moon and eleven stars were bowing down to me.”"
},
{
"verseNum": 10,
"text": "He told his father and brothers, but his father rebuked him and said, “What is this dream that you have had? Will your mother and brothers and I actually come and bow down to the ground before you?”"
},
{
"verseNum": 11,
"text": "And his brothers were jealous of him, but his father kept in mind what he had said."
},
{
"verseNum": 12,
"text": "Some time later, Josephs brothers had gone to pasture their fathers flocks near Shechem."
},
{
"verseNum": 13,
"text": "Israel said to him, “Are not your brothers pasturing the flocks at Shechem? Get ready; I am sending you to them.”\n \n“I am ready,” Joseph replied."
},
{
"verseNum": 14,
"text": "Then Israel told him, “Go now and see how your brothers and the flocks are faring, and bring word back to me.”\n \nSo he sent him off from the Valley of Hebron. And when Joseph arrived in Shechem,"
},
{
"verseNum": 15,
"text": "a man found him wandering in the field and asked, “What are you looking for?”"
},
{
"verseNum": 16,
"text": "“I am looking for my brothers,” Joseph replied. “Can you please tell me where they are pasturing their flocks?”"
},
{
"verseNum": 17,
"text": "“They have moved on from here,” the man answered. “I heard them say, Let us go to Dothan.’” So Joseph set out after his brothers and found them at Dothan."
},
{
"verseNum": 18,
"text": "Now Josephs brothers saw him in the distance, and before he arrived, they plotted to kill him."
},
{
"verseNum": 19,
"text": "“Here comes that dreamer!” they said to one another."
},
{
"verseNum": 20,
"text": "“Come now, let us kill him and throw him into one of the pits. We can say that a vicious animal has devoured him. Then we shall see what becomes of his dreams!”"
},
{
"verseNum": 21,
"text": "When Reuben heard this, he tried to rescue Joseph from their hands. “Let us not take his life,” he said."
},
{
"verseNum": 22,
"text": "“Do not shed his blood. Throw him into this pit in the wilderness, but do not lay a hand on him.” Reuben said this so that he could rescue Joseph from their hands and return him to his father."
},
{
"verseNum": 23,
"text": "So when Joseph came to his brothers, they stripped him of his robe—the robe of many colors he was wearing—"
},
{
"verseNum": 24,
"text": "and they took him and threw him into the pit. Now the pit was empty, with no water in it."
},
{
"verseNum": 25,
"text": "And as they sat down to eat a meal, they looked up and saw a caravan of Ishmaelites coming from Gilead. Their camels were carrying spices, balm, and myrrh on their way down to Egypt."
},
{
"verseNum": 26,
"text": "Then Judah said to his brothers, “What profit will we gain if we kill our brother and cover up his blood?"
},
{
"verseNum": 27,
"text": "Come, let us sell him to the Ishmaelites and not lay a hand on him; for he is our brother, our own flesh.” And they agreed."
},
{
"verseNum": 28,
"text": "So when the Midianite traders passed by, his brothers pulled Joseph out of the pit and sold him for twenty shekels of silver to the Ishmaelites, who took him to Egypt."
},
{
"verseNum": 29,
"text": "When Reuben returned to the pit and saw that Joseph was not there, he tore his clothes,"
},
{
"verseNum": 30,
"text": "returned to his brothers, and said, “The boy is gone! What am I going to do?”"
},
{
"verseNum": 31,
"text": "Then they took Josephs robe, slaughtered a young goat, and dipped the robe in its blood."
},
{
"verseNum": 32,
"text": "They sent the robe of many colors to their father and said, “We found this. Examine it to see whether it is your sons robe or not.”"
},
{
"verseNum": 33,
"text": "His father recognized it and said, “It is my sons robe! A vicious animal has devoured him. Joseph has surely been torn to pieces!”"
},
{
"verseNum": 34,
"text": "Then Jacob tore his clothes, put sackcloth around his waist, and mourned for his son many days."
},
{
"verseNum": 35,
"text": "All his sons and daughters tried to comfort him, but he refused to be comforted. “No,” he said. “I will go down to Sheol mourning for my son.” So his father wept for him."
},
{
"verseNum": 36,
"text": "Meanwhile, the Midianites sold Joseph in Egypt to Potiphar, an officer of Pharaoh and captain of the guard."
}
]
}

View File

@@ -0,0 +1,125 @@
{
"chapterNum": 38,
"verses": [
{
"verseNum": 1,
"text": "About that time, Judah left his brothers and settled near a man named Hirah, an Adullamite."
},
{
"verseNum": 2,
"text": "There Judah saw the daughter of a Canaanite man named Shua, and he took her as a wife and slept with her."
},
{
"verseNum": 3,
"text": "So she conceived and gave birth to a son, and Judah named him Er."
},
{
"verseNum": 4,
"text": "Again she conceived and gave birth to a son, and she named him Onan."
},
{
"verseNum": 5,
"text": "Then she gave birth to another son and named him Shelah; it was at Chezib that she gave birth to him."
},
{
"verseNum": 6,
"text": "Now Judah acquired a wife for Er, his firstborn, and her name was Tamar."
},
{
"verseNum": 7,
"text": "But Er, Judahs firstborn, was wicked in the sight of the LORD; so the LORD put him to death."
},
{
"verseNum": 8,
"text": "Then Judah said to Onan, “Sleep with your brothers wife. Perform your duty as her brother-in-law and raise up offspring for your brother.”"
},
{
"verseNum": 9,
"text": "But Onan knew that the offspring would not belong to him; so whenever he would sleep with his brothers wife, he would spill his seed on the ground so that he would not produce offspring for his brother."
},
{
"verseNum": 10,
"text": "What he did was wicked in the sight of the LORD, so He put Onan to death as well."
},
{
"verseNum": 11,
"text": "Then Judah said to his daughter-in-law Tamar, “Live as a widow in your fathers house until my son Shelah grows up.” For he thought, “He may die too, like his brothers.” So Tamar went to live in her fathers house."
},
{
"verseNum": 12,
"text": "After a long time Judahs wife, the daughter of Shua, died. When Judah had finished mourning, he and his friend Hirah the Adullamite went up to his sheepshearers at Timnah."
},
{
"verseNum": 13,
"text": "When Tamar was told, “Your father-in-law is going up to Timnah to shear his sheep,”"
},
{
"verseNum": 14,
"text": "she removed her widows garments, covered her face with a veil to disguise herself, and sat at the entrance to Enaim, which is on the way to Timnah. For she saw that although Shelah had grown up, she had not been given to him as a wife."
},
{
"verseNum": 15,
"text": "When Judah saw her, he thought she was a prostitute because she had covered her face."
},
{
"verseNum": 16,
"text": "Not realizing that she was his daughter-in-law, he went over to her and said, “Come now, let me sleep with you.”\n \n“What will you give me for sleeping with you?” she inquired."
},
{
"verseNum": 17,
"text": "“I will send you a young goat from my flock,” Judah answered.\n \nBut she replied, “Only if you leave me something as a pledge until you send it.”"
},
{
"verseNum": 18,
"text": "“What pledge should I give you?” he asked.\n \nShe answered, “Your seal and your cord, and the staff in your hand.” So he gave them to her and slept with her, and she became pregnant by him."
},
{
"verseNum": 19,
"text": "Then Tamar got up and departed. And she removed her veil and put on her widows garments again."
},
{
"verseNum": 20,
"text": "Now when Judah sent his friend Hirah the Adullamite with the young goat to collect the items he had left with the woman, he could not find her."
},
{
"verseNum": 21,
"text": "He asked the men of that place, “Where is the shrine prostitute who was beside the road at Enaim?”\n \n“No shrine prostitute has been here,” they answered."
},
{
"verseNum": 22,
"text": "So Hirah returned to Judah and said, “I could not find her, and furthermore, the men of that place said, No shrine prostitute has been here.’”"
},
{
"verseNum": 23,
"text": "“Let her keep the items,” Judah replied. “Otherwise we will become a laughingstock. After all, I did send her this young goat, but you could not find her.”"
},
{
"verseNum": 24,
"text": "About three months later, Judah was told, “Your daughter-in-law Tamar has prostituted herself, and now she is pregnant.”\n \n“Bring her out!” Judah replied. “Let her be burned to death!”"
},
{
"verseNum": 25,
"text": "As she was being brought out, Tamar sent a message to her father-in-law: “I am pregnant by the man to whom these items belong.” And she added, “Please examine them. Whose seal and cord and staff are these?”"
},
{
"verseNum": 26,
"text": "Judah recognized the items and said, “She is more righteous than I, since I did not give her to my son Shelah.” And he did not have relations with her again."
},
{
"verseNum": 27,
"text": "When the time came for Tamar to give birth, there were twins in her womb."
},
{
"verseNum": 28,
"text": "And as she was giving birth, one of them put out his hand; so the midwife took a scarlet thread and tied it around his wrist. “This one came out first,” she announced."
},
{
"verseNum": 29,
"text": "But when he pulled his hand back and his brother came out, she said, “You have broken out first!” So he was named Perez."
},
{
"verseNum": 30,
"text": "Then his brother came out with the scarlet thread around his wrist, and he was named Zerah."
}
]
}

View File

@@ -0,0 +1,97 @@
{
"chapterNum": 39,
"verses": [
{
"verseNum": 1,
"text": "Meanwhile, Joseph had been taken down to Egypt, where an Egyptian named Potiphar, an officer of Pharaoh and captain of the guard, bought him from the Ishmaelites who had taken him there."
},
{
"verseNum": 2,
"text": "And the LORD was with Joseph, and he became a successful man, serving in the household of his Egyptian master."
},
{
"verseNum": 3,
"text": "When his master saw that the LORD was with him and made him prosper in all he did,"
},
{
"verseNum": 4,
"text": "Joseph found favor in his sight and became his personal attendant.\n \nPotiphar put him in charge of his household and entrusted him with everything he owned."
},
{
"verseNum": 5,
"text": "From the time that he put Joseph in charge of his household and all he owned, the LORD blessed the Egyptians household on account of him. The LORDs blessing was on everything he owned, both in his house and in his field."
},
{
"verseNum": 6,
"text": "So Potiphar left all that he owned in Josephs care; he did not concern himself with anything except the food he ate.\n \nNow Joseph was well-built and handsome,"
},
{
"verseNum": 7,
"text": "and after some time his masters wife cast her eyes upon Joseph and said, “Sleep with me.”"
},
{
"verseNum": 8,
"text": "But he refused. “Look,” he said to his masters wife, “with me here, my master does not concern himself with anything in his house, and he has entrusted everything he owns to my care."
},
{
"verseNum": 9,
"text": "No one in this house is greater than I am. He has withheld nothing from me except you, because you are his wife. So how could I do such a great evil and sin against God?”"
},
{
"verseNum": 10,
"text": "Although Potiphars wife spoke to Joseph day after day, he refused to go to bed with her or even be near her."
},
{
"verseNum": 11,
"text": "One day, however, Joseph went into the house to attend to his work, and not a single household servant was inside."
},
{
"verseNum": 12,
"text": "She grabbed Joseph by his cloak and said, “Sleep with me!” But leaving his cloak in her hand, he escaped and ran outside."
},
{
"verseNum": 13,
"text": "When she saw that he had left his cloak in her hand and had run out of the house,"
},
{
"verseNum": 14,
"text": "she called her household servants. “Look,” she said, “this Hebrew has been brought to us to make sport of us. He came to me so he could sleep with me, but I screamed as loud as I could."
},
{
"verseNum": 15,
"text": "When he heard me scream for help, he left his cloak beside me and ran out of the house.”"
},
{
"verseNum": 16,
"text": "So Potiphars wife kept Josephs cloak beside her until his master came home."
},
{
"verseNum": 17,
"text": "Then she told him the same story: “The Hebrew slave you brought us came to me to make sport of me,"
},
{
"verseNum": 18,
"text": "but when I screamed for help, he left his cloak beside me and ran out of the house.”"
},
{
"verseNum": 19,
"text": "When his master heard the story his wife told him, saying, “This is what your slave did to me,” he burned with anger."
},
{
"verseNum": 20,
"text": "So Josephs master took him and had him thrown into the prison where the kings prisoners were confined.\n \nWhile Joseph was there in the prison,"
},
{
"verseNum": 21,
"text": "the LORD was with him and extended kindness to him, granting him favor in the eyes of the prison warden."
},
{
"verseNum": 22,
"text": "And the warden put all the prisoners under Josephs care, so that he was responsible for all that was done in the prison."
},
{
"verseNum": 23,
"text": "The warden did not concern himself with anything under Josephs care, because the LORD was with Joseph and gave him success in whatever he did."
}
]
}

View File

@@ -0,0 +1,109 @@
{
"chapterNum": 4,
"verses": [
{
"verseNum": 1,
"text": "And Adam had relations with his wife Eve, and she conceived and gave birth to Cain.\n \n“With the help of the LORD I have brought forth a man,” she said."
},
{
"verseNum": 2,
"text": "Later she gave birth to Cains brother Abel.\n \nNow Abel was a keeper of sheep, while Cain was a tiller of the soil."
},
{
"verseNum": 3,
"text": "So in the course of time, Cain brought some of the fruit of the soil as an offering to the LORD,"
},
{
"verseNum": 4,
"text": "while Abel brought the best portions of the firstborn of his flock.\n \nAnd the LORD looked with favor on Abel and his offering,"
},
{
"verseNum": 5,
"text": "but He had no regard for Cain and his offering. So Cain became very angry, and his countenance fell."
},
{
"verseNum": 6,
"text": "“Why are you angry,” said the LORD to Cain, “and why has your countenance fallen?"
},
{
"verseNum": 7,
"text": "If you do what is right, will you not be accepted? But if you refuse to do what is right, sin is crouching at your door; it desires you, but you must master it.”"
},
{
"verseNum": 8,
"text": "Then Cain said to his brother Abel, “Let us go out to the field.” And while they were in the field, Cain rose up against his brother Abel and killed him."
},
{
"verseNum": 9,
"text": "And the LORD said to Cain, “Where is your brother Abel?”\n \n“I do not know!” he answered. “Am I my brothers keeper?”"
},
{
"verseNum": 10,
"text": "“What have you done?” replied the LORD. “The voice of your brothers blood cries out to Me from the ground."
},
{
"verseNum": 11,
"text": "Now you are cursed and banished from the ground, which has opened its mouth to receive your brothers blood from your hand."
},
{
"verseNum": 12,
"text": "When you till the ground, it will no longer yield its produce to you. You will be a fugitive and a wanderer on the earth.”"
},
{
"verseNum": 13,
"text": "But Cain said to the LORD, “My punishment is greater than I can bear."
},
{
"verseNum": 14,
"text": "Behold, this day You have driven me from the face of the earth, and from Your face I will be hidden; I will be a fugitive and a wanderer on the earth, and whoever finds me will kill me.”"
},
{
"verseNum": 15,
"text": "“Not so!” replied the LORD. “If anyone slays Cain, then Cain will be avenged sevenfold.” And the LORD placed a mark on Cain, so that no one who found him would kill him."
},
{
"verseNum": 16,
"text": "So Cain went out from the presence of the LORD and settled in the land of Nod, east of Eden."
},
{
"verseNum": 17,
"text": "And Cain had relations with his wife, and she conceived and gave birth to Enoch. Then Cain built a city and named it after his son Enoch."
},
{
"verseNum": 18,
"text": "Now to Enoch was born Irad, and Irad was the father of Mehujael, and Mehujael was the father of Methusael, and Methusael was the father of Lamech."
},
{
"verseNum": 19,
"text": "And Lamech married two women, one named Adah and the other Zillah."
},
{
"verseNum": 20,
"text": "Adah gave birth to Jabal; he was the father of those who dwell in tents and raise livestock."
},
{
"verseNum": 21,
"text": "And his brothers name was Jubal; he was the father of all who play the harp and flute."
},
{
"verseNum": 22,
"text": "And Zillah gave birth to Tubal-cain, a forger of every implement of bronze and iron. And the sister of Tubal-cain was Naamah."
},
{
"verseNum": 23,
"text": "Then Lamech said to his wives:\n \n “Adah and Zillah, hear my voice;\n wives of Lamech, listen to my speech.\n For I have slain a man for wounding me,\n a young man for striking me."
},
{
"verseNum": 24,
"text": "If Cain is avenged sevenfold,\n then Lamech seventy-sevenfold.”"
},
{
"verseNum": 25,
"text": "And Adam again had relations with his wife, and she gave birth to a son and named him Seth, saying, “God has granted me another seed in place of Abel, since Cain killed him.”"
},
{
"verseNum": 26,
"text": "And to Seth also a son was born, and he called him Enosh.\n \nAt that time men began to call upon the name of the LORD."
}
]
}

View File

@@ -0,0 +1,97 @@
{
"chapterNum": 40,
"verses": [
{
"verseNum": 1,
"text": "Some time later, the kings cupbearer and baker offended their master, the king of Egypt."
},
{
"verseNum": 2,
"text": "Pharaoh was angry with his two officers, the chief cupbearer and the chief baker,"
},
{
"verseNum": 3,
"text": "and imprisoned them in the house of the captain of the guard, the same prison where Joseph was confined."
},
{
"verseNum": 4,
"text": "The captain of the guard assigned them to Joseph, and he became their personal attendant.\n \nAfter they had been in custody for some time,"
},
{
"verseNum": 5,
"text": "both of these men—the Egyptian kings cupbearer and baker, who were being held in the prison—had a dream on the same night, and each dream had its own meaning."
},
{
"verseNum": 6,
"text": "When Joseph came to them in the morning, he saw that they were distraught."
},
{
"verseNum": 7,
"text": "So he asked the officials of Pharaoh who were in custody with him in his masters house, “Why are your faces so downcast today?”"
},
{
"verseNum": 8,
"text": "“We both had dreams,” they replied, “but there is no one to interpret them.”\n \nThen Joseph said to them, “Dont interpretations belong to God? Tell me your dreams.”"
},
{
"verseNum": 9,
"text": "So the chief cupbearer told Joseph his dream: “In my dream there was a vine before me,"
},
{
"verseNum": 10,
"text": "and on the vine were three branches. As it budded, its blossoms opened and its clusters ripened into grapes."
},
{
"verseNum": 11,
"text": "Pharaohs cup was in my hand, and I took the grapes, squeezed them into his cup, and placed the cup in his hand.”"
},
{
"verseNum": 12,
"text": "Joseph replied, “This is the interpretation: The three branches are three days."
},
{
"verseNum": 13,
"text": "Within three days Pharaoh will lift up your head and restore your position. You will put Pharaohs cup in his hand, just as you did when you were his cupbearer."
},
{
"verseNum": 14,
"text": "But when it goes well for you, please remember me and show me kindness by mentioning me to Pharaoh, that he might bring me out of this prison."
},
{
"verseNum": 15,
"text": "For I was kidnapped from the land of the Hebrews, and even here I have done nothing for which they should have put me in this dungeon.”"
},
{
"verseNum": 16,
"text": "When the chief baker saw that the interpretation was favorable, he said to Joseph, “I too had a dream: There were three baskets of white bread on my head."
},
{
"verseNum": 17,
"text": "In the top basket were all sorts of baked goods for Pharaoh, but the birds were eating them out of the basket on my head.”"
},
{
"verseNum": 18,
"text": "Joseph replied, “This is the interpretation: The three baskets are three days."
},
{
"verseNum": 19,
"text": "Within three days Pharaoh will lift off your head and hang you on a tree. Then the birds will eat the flesh of your body.”"
},
{
"verseNum": 20,
"text": "On the third day, which was Pharaohs birthday, he held a feast for all his officials, and in their presence he lifted up the heads of the chief cupbearer and the chief baker."
},
{
"verseNum": 21,
"text": "Pharaoh restored the chief cupbearer to his position, so that he once again placed the cup in Pharaohs hand."
},
{
"verseNum": 22,
"text": "But Pharaoh hanged the chief baker, just as Joseph had described to them in his interpretation."
},
{
"verseNum": 23,
"text": "The chief cupbearer, however, did not remember Joseph; he forgot all about him."
}
]
}

View File

@@ -0,0 +1,233 @@
{
"chapterNum": 41,
"verses": [
{
"verseNum": 1,
"text": "After two full years had passed, Pharaoh had a dream: He was standing beside the Nile,"
},
{
"verseNum": 2,
"text": "when seven cows, sleek and well-fed, came up from the river and began to graze among the reeds."
},
{
"verseNum": 3,
"text": "After them, seven other cows, sickly and thin, came up from the Nile and stood beside the well-fed cows on the bank of the river."
},
{
"verseNum": 4,
"text": "And the cows that were sickly and thin devoured the seven sleek, well-fed cows.\n \nThen Pharaoh woke up,"
},
{
"verseNum": 5,
"text": "but he fell back asleep and dreamed a second time: Seven heads of grain, plump and ripe, came up on one stalk."
},
{
"verseNum": 6,
"text": "After them, seven other heads of grain sprouted, thin and scorched by the east wind."
},
{
"verseNum": 7,
"text": "And the thin heads of grain swallowed up the seven plump, ripe ones. Then Pharaoh awoke and realized it was a dream."
},
{
"verseNum": 8,
"text": "In the morning his spirit was troubled, so he summoned all the magicians and wise men of Egypt. Pharaoh told them his dreams, but no one could interpret them for him."
},
{
"verseNum": 9,
"text": "Then the chief cupbearer said to Pharaoh, “Today I recall my failures."
},
{
"verseNum": 10,
"text": "Pharaoh was once angry with his servants, and he put me and the chief baker in the custody of the captain of the guard."
},
{
"verseNum": 11,
"text": "One night both the chief baker and I had dreams, and each dream had its own meaning."
},
{
"verseNum": 12,
"text": "Now a young Hebrew was there with us, a servant of the captain of the guard. We told him our dreams and he interpreted them for us individually."
},
{
"verseNum": 13,
"text": "And it happened to us just as he had interpreted: I was restored to my position, and the other man was hanged.”"
},
{
"verseNum": 14,
"text": "So Pharaoh sent for Joseph, who was quickly brought out of the dungeon. After he had shaved and changed his clothes, he went in before Pharaoh."
},
{
"verseNum": 15,
"text": "Pharaoh said to Joseph, “I had a dream, and no one can interpret it. But I have heard it said of you that when you hear a dream you can interpret it.”"
},
{
"verseNum": 16,
"text": "“I myself cannot do it,” Joseph replied, “but God will give Pharaoh a sound answer.”"
},
{
"verseNum": 17,
"text": "Then Pharaoh said to Joseph: “In my dream I was standing on the bank of the Nile,"
},
{
"verseNum": 18,
"text": "when seven cows, well-fed and sleek, came up from the river and began to graze among the reeds."
},
{
"verseNum": 19,
"text": "After them, seven other cows—sickly, ugly, and thin—came up. I have never seen such ugly cows in all the land of Egypt!"
},
{
"verseNum": 20,
"text": "Then the thin, ugly cows devoured the seven well-fed cows that were there first."
},
{
"verseNum": 21,
"text": "When they had devoured them, however, no one could tell that they had done so; their appearance was as ugly as it had been before. Then I awoke."
},
{
"verseNum": 22,
"text": "In my dream I also saw seven heads of grain, plump and ripe, growing on a single stalk."
},
{
"verseNum": 23,
"text": "After them, seven other heads of grain sprouted—withered, thin, and scorched by the east wind."
},
{
"verseNum": 24,
"text": "And the thin heads of grain swallowed the seven plump ones.\n \nI told this dream to the magicians, but no one could explain it to me.”"
},
{
"verseNum": 25,
"text": "At this, Joseph said to Pharaoh, “The dreams of Pharaoh are one and the same. God has revealed to Pharaoh what He is about to do."
},
{
"verseNum": 26,
"text": "The seven good cows are seven years, and the seven ripe heads of grain are seven years. The dreams have the same meaning."
},
{
"verseNum": 27,
"text": "Moreover, the seven thin, ugly cows that came up after them are seven years, and so are the seven worthless heads of grain scorched by the east wind—they are seven years of famine."
},
{
"verseNum": 28,
"text": "It is just as I said to Pharaoh: God has shown Pharaoh what He is about to do."
},
{
"verseNum": 29,
"text": "Behold, seven years of great abundance are coming throughout the land of Egypt,"
},
{
"verseNum": 30,
"text": "but seven years of famine will follow them. Then all the abundance in the land of Egypt will be forgotten, and the famine will devastate the land."
},
{
"verseNum": 31,
"text": "The abundance in the land will not be remembered, since the famine that follows it will be so severe."
},
{
"verseNum": 32,
"text": "Moreover, because the dream was given to Pharaoh in two versions, the matter has been decreed by God, and He will carry it out shortly."
},
{
"verseNum": 33,
"text": "Now, therefore, Pharaoh should look for a discerning and wise man and set him over the land of Egypt."
},
{
"verseNum": 34,
"text": "Let Pharaoh take action and appoint commissioners over the land to take a fifth of the harvest of Egypt during the seven years of abundance."
},
{
"verseNum": 35,
"text": "Under the authority of Pharaoh, let them collect all the excess food from these good years, that they may come and lay up the grain to be preserved as food in the cities."
},
{
"verseNum": 36,
"text": "This food will be a reserve for the land during the seven years of famine to come upon the land of Egypt. Then the country will not perish in the famine.”"
},
{
"verseNum": 37,
"text": "This proposal pleased Pharaoh and all his officials."
},
{
"verseNum": 38,
"text": "So Pharaoh asked them, “Can we find anyone like this man, in whom the Spirit of God abides?”"
},
{
"verseNum": 39,
"text": "Then Pharaoh said to Joseph, “Since God has made all this known to you, there is no one as discerning and wise as you."
},
{
"verseNum": 40,
"text": "You shall be in charge of my house, and all my people are to obey your commands. Only with regard to the throne will I be greater than you.”"
},
{
"verseNum": 41,
"text": "Pharaoh also told Joseph, “I hereby place you over all the land of Egypt.”"
},
{
"verseNum": 42,
"text": "Then Pharaoh removed the signet ring from his finger, put it on Josephs finger, clothed him in garments of fine linen, and placed a gold chain around his neck."
},
{
"verseNum": 43,
"text": "He had Joseph ride in his second chariot, with men calling out before him, “Bow the knee!” So he placed him over all the land of Egypt."
},
{
"verseNum": 44,
"text": "And Pharaoh declared to Joseph, “I am Pharaoh, but without your permission, no one in all the land of Egypt shall lift his hand or foot.”"
},
{
"verseNum": 45,
"text": "Pharaoh gave Joseph the name Zaphenath-paneah, and he gave him Asenath daughter of Potiphera, priest of On, to be his wife. And Joseph took charge of all the land of Egypt."
},
{
"verseNum": 46,
"text": "Now Joseph was thirty years old when he entered the service of Pharaoh king of Egypt. And Joseph left Pharaohs presence and traveled throughout the land of Egypt."
},
{
"verseNum": 47,
"text": "During the seven years of abundance, the land brought forth bountifully."
},
{
"verseNum": 48,
"text": "During those seven years, Joseph collected all the excess food in the land of Egypt and stored it in the cities. In every city he laid up the food from the fields around it."
},
{
"verseNum": 49,
"text": "So Joseph stored up grain in such abundance, like the sand of the sea, that he stopped keeping track of it; for it was beyond measure."
},
{
"verseNum": 50,
"text": "Before the years of famine arrived, two sons were born to Joseph by Asenath daughter of Potiphera, priest of On."
},
{
"verseNum": 51,
"text": "Joseph named the firstborn Manasseh, saying, “God has made me forget all my hardship and all my fathers household.”"
},
{
"verseNum": 52,
"text": "And the second son he named Ephraim, saying, “God has made me fruitful in the land of my affliction.”"
},
{
"verseNum": 53,
"text": "When the seven years of abundance in the land of Egypt came to an end,"
},
{
"verseNum": 54,
"text": "the seven years of famine began, just as Joseph had said. And although there was famine in every country, there was food throughout the land of Egypt."
},
{
"verseNum": 55,
"text": "When extreme hunger came to all the land of Egypt and the people cried out to Pharaoh for food, he told all the Egyptians, “Go to Joseph and do whatever he tells you.”"
},
{
"verseNum": 56,
"text": "When the famine had spread over all the land, Joseph opened up all the storehouses and sold grain to the Egyptians; for the famine was severe in the land of Egypt."
},
{
"verseNum": 57,
"text": "And every nation came to Joseph in Egypt to buy grain, because the famine was severe over all the earth."
}
]
}

View File

@@ -0,0 +1,157 @@
{
"chapterNum": 42,
"verses": [
{
"verseNum": 1,
"text": "When Jacob learned that there was grain in Egypt, he said to his sons, “Why are you staring at one another?”"
},
{
"verseNum": 2,
"text": "“Look,” he added, “I have heard that there is grain in Egypt. Go down there and buy some for us, so that we may live and not die.”"
},
{
"verseNum": 3,
"text": "So ten of Josephs brothers went down to buy grain from Egypt."
},
{
"verseNum": 4,
"text": "But Jacob did not send Josephs brother Benjamin with his brothers, for he said, “I am afraid that harm might befall him.”"
},
{
"verseNum": 5,
"text": "So the sons of Israel were among those who came to buy grain, since the famine had also spread to the land of Canaan."
},
{
"verseNum": 6,
"text": "Now Joseph was the ruler of the land; he was the one who sold grain to all its people. So when his brothers arrived, they bowed down before him with their faces to the ground."
},
{
"verseNum": 7,
"text": "And when Joseph saw his brothers, he recognized them, but he treated them as strangers and spoke harshly to them. “Where have you come from?” he asked.\n \n“From the land of Canaan,” they replied. “We are here to buy food.”"
},
{
"verseNum": 8,
"text": "Although Joseph recognized his brothers, they did not recognize him."
},
{
"verseNum": 9,
"text": "Joseph remembered his dreams about them and said, “You are spies! You have come to see if our land is vulnerable.”"
},
{
"verseNum": 10,
"text": "“Not so, my lord,” they replied. “Your servants have come to buy food."
},
{
"verseNum": 11,
"text": "We are all sons of one man. Your servants are honest men, not spies.”"
},
{
"verseNum": 12,
"text": "“No,” he told them. “You have come to see if our land is vulnerable.”"
},
{
"verseNum": 13,
"text": "But they answered, “Your servants are twelve brothers, the sons of one man in the land of Canaan. The youngest is now with our father, and one is no more.”"
},
{
"verseNum": 14,
"text": "Then Joseph declared, “Just as I said, you are spies!"
},
{
"verseNum": 15,
"text": "And this is how you will be tested: As surely as Pharaoh lives, you shall not leave this place unless your youngest brother comes here."
},
{
"verseNum": 16,
"text": "Send one of your number to get your brother; the rest of you will be confined so that the truth of your words may be tested. If they are untrue, then as surely as Pharaoh lives, you are spies!”"
},
{
"verseNum": 17,
"text": "So Joseph imprisoned them for three days,"
},
{
"verseNum": 18,
"text": "and on the third day he said to them, “I fear God. So do this and you will live:"
},
{
"verseNum": 19,
"text": "If you are honest, leave one of your brothers in custody while the rest of you go and take back grain to relieve the hunger of your households."
},
{
"verseNum": 20,
"text": "Then bring your youngest brother to me so that your words can be verified, that you may not die.”\n \nAnd to this they consented."
},
{
"verseNum": 21,
"text": "Then they said to one another, “Surely we are being punished because of our brother. We saw his anguish when he pleaded with us, but we would not listen. That is why this distress has come upon us.”"
},
{
"verseNum": 22,
"text": "And Reuben responded, “Didnt I tell you not to sin against the boy? But you would not listen. Now we must account for his blood!”"
},
{
"verseNum": 23,
"text": "They did not realize that Joseph understood them, since there was an interpreter between them."
},
{
"verseNum": 24,
"text": "And he turned away from them and wept. When he turned back and spoke to them, he took Simeon from them and had him bound before their eyes."
},
{
"verseNum": 25,
"text": "Then Joseph gave orders to fill their bags with grain, to return each mans silver to his sack, and to give them provisions for their journey. This order was carried out,"
},
{
"verseNum": 26,
"text": "and they loaded the grain on their donkeys and departed."
},
{
"verseNum": 27,
"text": "At the place where they lodged for the night, one of them opened his sack to get feed for his donkey, and he saw his silver in the mouth of the sack."
},
{
"verseNum": 28,
"text": "“My silver has been returned!” he said to his brothers. “It is here in my sack.”\n \nTheir hearts sank, and trembling, they turned to one another and said, “What is this that God has done to us?”"
},
{
"verseNum": 29,
"text": "When they reached their father Jacob in the land of Canaan, they described to him all that had happened to them:"
},
{
"verseNum": 30,
"text": "“The man who is lord of the land spoke harshly to us and accused us of spying on the country."
},
{
"verseNum": 31,
"text": "But we told him, We are honest men, not spies."
},
{
"verseNum": 32,
"text": "We are twelve brothers, sons of one father. One is no more, and the youngest is now with our father in the land of Canaan."
},
{
"verseNum": 33,
"text": "Then the man who is lord of the land said to us, This is how I will know whether you are honest: Leave one brother with me, take food to relieve the hunger of your households, and go."
},
{
"verseNum": 34,
"text": "But bring your youngest brother back to me so I will know that you are not spies but honest men. Then I will give your brother back to you, and you can trade in the land.’”"
},
{
"verseNum": 35,
"text": "As they began emptying their sacks, there in each mans sack was his bag of silver! And when they and their father saw the bags of silver, they were dismayed."
},
{
"verseNum": 36,
"text": "Their father Jacob said to them, “You have deprived me of my sons. Joseph is gone and Simeon is no more. Now you want to take Benjamin. Everything is going against me!”"
},
{
"verseNum": 37,
"text": "Then Reuben said to his father, “You may kill my two sons if I fail to bring him back to you. Put him in my care, and I will return him.”"
},
{
"verseNum": 38,
"text": "But Jacob replied, “My son will not go down there with you, for his brother is dead, and he alone is left. If any harm comes to him on your journey, you will bring my gray hair down to Sheol in sorrow.”"
}
]
}

View File

@@ -0,0 +1,141 @@
{
"chapterNum": 43,
"verses": [
{
"verseNum": 1,
"text": "Now the famine was still severe in the land."
},
{
"verseNum": 2,
"text": "So when Jacobs sons had eaten all the grain they had brought from Egypt, their father said to them, “Go back and buy us a little more food.”"
},
{
"verseNum": 3,
"text": "But Judah replied, “The man solemnly warned us, You will not see my face again unless your brother is with you."
},
{
"verseNum": 4,
"text": "If you will send our brother with us, we will go down and buy food for you."
},
{
"verseNum": 5,
"text": "But if you will not send him, we will not go; for the man told us, You will not see my face again unless your brother is with you.’”"
},
{
"verseNum": 6,
"text": "“Why did you bring this trouble upon me?” Israel asked. “Why did you tell the man you had another brother?”"
},
{
"verseNum": 7,
"text": "They replied, “The man questioned us in detail about ourselves and our family: Is your father still alive? Do you have another brother? And we answered him accordingly. How could we possibly know that he would say, Bring your brother here?”"
},
{
"verseNum": 8,
"text": "And Judah said to his father Israel, “Send the boy with me, and we will go at once, so that we may live and not die—neither we, nor you, nor our children."
},
{
"verseNum": 9,
"text": "I will guarantee his safety. You may hold me personally responsible. If I do not bring him back and set him before you, then may I bear the guilt before you all my life."
},
{
"verseNum": 10,
"text": "If we had not delayed, we could have come and gone twice by now.”"
},
{
"verseNum": 11,
"text": "Then their father Israel said to them, “If it must be so, then do this: Put some of the best products of the land in your packs and carry them down as a gift for the man—a little balm and a little honey, spices and myrrh, pistachios and almonds."
},
{
"verseNum": 12,
"text": "Take double the silver with you so that you may return the silver that was put back into the mouths of your sacks. Perhaps it was a mistake."
},
{
"verseNum": 13,
"text": "Take your brother as well, and return to the man at once."
},
{
"verseNum": 14,
"text": "May God Almighty grant you mercy before the man, that he may release your other brother along with Benjamin. As for me, if I am bereaved, I am bereaved.”"
},
{
"verseNum": 15,
"text": "So the men took these gifts, along with double the amount of silver, and Benjamin as well. Then they hurried down to Egypt and stood before Joseph."
},
{
"verseNum": 16,
"text": "When Joseph saw Benjamin with his brothers, he said to the steward of his house, “Take these men to my house. Slaughter an animal and prepare it, for they shall dine with me at noon.”"
},
{
"verseNum": 17,
"text": "The man did as Joseph had commanded and took the brothers to Josephs house."
},
{
"verseNum": 18,
"text": "But the brothers were frightened that they had been taken to Josephs house. “We have been brought here because of the silver that was returned in our bags the first time,” they said. “They intend to overpower us and take us as slaves, along with our donkeys.”"
},
{
"verseNum": 19,
"text": "So they approached Josephs steward and spoke to him at the entrance to the house."
},
{
"verseNum": 20,
"text": "“Please, sir,” they said, “we really did come down here the first time to buy food."
},
{
"verseNum": 21,
"text": "But when we came to the place we lodged for the night, we opened our sacks and, behold, each of us found his silver in the mouth of his sack! It was the full amount of our silver, and we have brought it back with us."
},
{
"verseNum": 22,
"text": "We have brought additional silver with us to buy food. We do not know who put our silver in our sacks.”"
},
{
"verseNum": 23,
"text": "“It is fine,” said the steward. “Do not be afraid. Your God, the God of your father, gave you the treasure that was in your sacks. I received your silver.” Then he brought Simeon out to them."
},
{
"verseNum": 24,
"text": "And the steward took the men into Josephs house, gave them water to wash their feet, and provided food for their donkeys."
},
{
"verseNum": 25,
"text": "Since the brothers had been told that they were going to eat a meal there, they prepared their gift for Josephs arrival at noon."
},
{
"verseNum": 26,
"text": "When Joseph came home, they presented him with the gifts they had brought, and they bowed to the ground before him."
},
{
"verseNum": 27,
"text": "He asked if they were well, and then he asked, “How is your elderly father you told me about? Is he still alive?”"
},
{
"verseNum": 28,
"text": "“Your servant our father is well,” they answered. “He is still alive.” And they bowed down to honor him."
},
{
"verseNum": 29,
"text": "When Joseph looked up and saw his brother Benjamin, his own mothers son, he asked, “Is this your youngest brother, the one you told me about?” Then he declared, “May God be gracious to you, my son.”"
},
{
"verseNum": 30,
"text": "Joseph hurried out because he was moved to tears for his brother, and he went to a private room to weep."
},
{
"verseNum": 31,
"text": "Then he washed his face and came back out. Regaining his composure, he said, “Serve the meal.”"
},
{
"verseNum": 32,
"text": "They separately served Joseph, his brothers, and the Egyptians. They ate separately because the Egyptians would not eat with the Hebrews, since that was detestable to them."
},
{
"verseNum": 33,
"text": "They were seated before Joseph in order by age, from the firstborn to the youngest, and the men looked at one another in astonishment."
},
{
"verseNum": 34,
"text": "When the portions were served to them from Josephs table, Benjamins portion was five times larger than any of the others. So they feasted and drank freely with Joseph."
}
]
}

View File

@@ -0,0 +1,141 @@
{
"chapterNum": 44,
"verses": [
{
"verseNum": 1,
"text": "Then Joseph instructed his steward: “Fill the mens sacks with as much food as they can carry, and put each ones silver in the mouth of his sack."
},
{
"verseNum": 2,
"text": "Put my cup, the silver one, in the mouth of the youngest ones sack, along with the silver for his grain.”\n \nSo the steward did as Joseph had instructed."
},
{
"verseNum": 3,
"text": "At daybreak, the men were sent on their way with their donkeys."
},
{
"verseNum": 4,
"text": "They had not gone far from the city when Joseph told his steward, “Pursue the men at once, and when you overtake them, ask, Why have you repaid good with evil?"
},
{
"verseNum": 5,
"text": "Is this not the cup my master drinks from and uses for divination? What you have done is wicked!’”"
},
{
"verseNum": 6,
"text": "When the steward overtook them, he relayed these words to them."
},
{
"verseNum": 7,
"text": "“Why does my lord say these things?” they asked. “Your servants could not possibly do such a thing."
},
{
"verseNum": 8,
"text": "We even brought back to you from the land of Canaan the silver we found in the mouths of our sacks. Why would we steal silver or gold from your masters house?"
},
{
"verseNum": 9,
"text": "If any of your servants is found to have it, he must die, and the rest will become slaves of my lord.”"
},
{
"verseNum": 10,
"text": "“As you say,” replied the steward. “But only the one who is found with the cup will be my slave, and the rest of you shall be free of blame.”"
},
{
"verseNum": 11,
"text": "So each one quickly lowered his sack to the ground and opened it."
},
{
"verseNum": 12,
"text": "The steward searched, beginning with the oldest and ending with the youngest—and the cup was found in Benjamins sack."
},
{
"verseNum": 13,
"text": "Then they all tore their clothes, loaded their donkeys, and returned to the city."
},
{
"verseNum": 14,
"text": "When Judah and his brothers arrived at Josephs house, he was still there, and they fell to the ground before him."
},
{
"verseNum": 15,
"text": "“What is this deed you have done?” Joseph declared. “Do you not know that a man like me can surely divine the truth?”"
},
{
"verseNum": 16,
"text": "“What can we say to my lord?” Judah replied. “How can we plead? How can we justify ourselves? God has exposed the iniquity of your servants. We are now my lords slaves—both we and the one who was found with the cup.”"
},
{
"verseNum": 17,
"text": "But Joseph replied, “Far be it from me to do this. The man who was found with the cup will be my slave. The rest of you may return to your father in peace.”"
},
{
"verseNum": 18,
"text": "Then Judah approached Joseph and said, “Sir, please let your servant speak personally to my lord. Do not be angry with your servant, for you are equal to Pharaoh himself."
},
{
"verseNum": 19,
"text": "My lord asked his servants, Do you have a father or a brother?"
},
{
"verseNum": 20,
"text": "And we answered, We have an elderly father and a younger brother, the child of his old age. The boys brother is dead. He is the only one of his mothers sons left, and his father loves him."
},
{
"verseNum": 21,
"text": "Then you told your servants, Bring him down to me so that I can see him for myself."
},
{
"verseNum": 22,
"text": "So we said to my lord, The boy cannot leave his father. If he were to leave, his father would die."
},
{
"verseNum": 23,
"text": "But you said to your servants, Unless your younger brother comes down with you, you will not see my face again."
},
{
"verseNum": 24,
"text": "Now when we returned to your servant my father, we relayed your words to him."
},
{
"verseNum": 25,
"text": "Then our father said, Go back and buy us some food."
},
{
"verseNum": 26,
"text": "But we answered, We cannot go down there unless our younger brother goes with us. So if our younger brother is not with us, we cannot see the man."
},
{
"verseNum": 27,
"text": "And your servant my father said to us, You know that my wife bore me two sons."
},
{
"verseNum": 28,
"text": "When one of them was gone, I said: “Surely he has been torn to pieces.” And I have not seen him since."
},
{
"verseNum": 29,
"text": "Now if you also take this one from me and harm comes to him, you will bring my gray hair down to Sheol in sorrow."
},
{
"verseNum": 30,
"text": "So if the boy is not with us when I return to your servant, and if my father, whose life is wrapped up in the boys life,"
},
{
"verseNum": 31,
"text": "sees that the boy is not with us, he will die. Then your servants will have brought the gray hair of your servant our father down to Sheol in sorrow."
},
{
"verseNum": 32,
"text": "Indeed, your servant guaranteed the boys safety to my father, saying, If I do not return him to you, I will bear the guilt before you, my father, all my life."
},
{
"verseNum": 33,
"text": "Now please let your servant stay here as my lords slave in place of the boy. Let him return with his brothers."
},
{
"verseNum": 34,
"text": "For how can I go back to my father without the boy? I could not bear to see the misery that would overwhelm him.”"
}
]
}

View File

@@ -0,0 +1,117 @@
{
"chapterNum": 45,
"verses": [
{
"verseNum": 1,
"text": "Then Joseph could no longer control himself before all his attendants, and he cried out, “Send everyone away from me!”\n \nSo none of them were with Joseph when he made himself known to his brothers."
},
{
"verseNum": 2,
"text": "But he wept so loudly that the Egyptians heard him, and Pharaohs household soon heard of it."
},
{
"verseNum": 3,
"text": "Joseph said to his brothers, “I am Joseph! Is my father still alive?”\n \nBut they were unable to answer him, because they were terrified in his presence."
},
{
"verseNum": 4,
"text": "Then Joseph said to his brothers, “Please come near me.” And they did so.\n \n“I am Joseph, your brother,” he said, “the one you sold into Egypt!"
},
{
"verseNum": 5,
"text": "And now, do not be distressed or angry with yourselves that you sold me into this place, because it was to save lives that God sent me before you."
},
{
"verseNum": 6,
"text": "For the famine has covered the land these two years, and there will be five more years without plowing or harvesting."
},
{
"verseNum": 7,
"text": "God sent me before you to preserve you as a remnant on the earth and to save your lives by a great deliverance."
},
{
"verseNum": 8,
"text": "Therefore it was not you who sent me here, but God, who has made me a father to Pharaoh—lord of all his household and ruler over all the land of Egypt."
},
{
"verseNum": 9,
"text": "Now return quickly to my father and tell him, This is what your son Joseph says: God has made me lord of all Egypt. Come down to me without delay."
},
{
"verseNum": 10,
"text": "You shall settle in the land of Goshen and be near me—you and your children and grandchildren, your flocks and herds, and everything you own."
},
{
"verseNum": 11,
"text": "And there I will provide for you, because there will be five more years of famine. Otherwise, you and your household and everything you own will come to destitution."
},
{
"verseNum": 12,
"text": "Behold! You and my brother Benjamin can see that I, Joseph, am the one speaking with you."
},
{
"verseNum": 13,
"text": "Tell my father about all my splendor in Egypt and everything you have seen. And bring my father down here quickly.”"
},
{
"verseNum": 14,
"text": "Then Joseph threw his arms around his brother Benjamin and wept, and Benjamin wept as they embraced."
},
{
"verseNum": 15,
"text": "Joseph kissed each of his brothers as he wept over them. And afterward his brothers talked with him."
},
{
"verseNum": 16,
"text": "When the news reached Pharaohs house that Josephs brothers had come, Pharaoh and his servants were pleased."
},
{
"verseNum": 17,
"text": "Pharaoh said to Joseph, “Tell your brothers, Do as follows: Load your animals and return to the land of Canaan."
},
{
"verseNum": 18,
"text": "Then bring your father and your families and return to me. I will give you the best of the land of Egypt, and you shall eat from the fat of the land."
},
{
"verseNum": 19,
"text": "You are also directed to tell them: Take wagons from the land of Egypt for your young children and your wives, and bring your father and come back."
},
{
"verseNum": 20,
"text": "But pay no regard to your belongings, for the best of all the land of Egypt is yours.’”"
},
{
"verseNum": 21,
"text": "So the sons of Israel did as they were told. Joseph gave them wagons as Pharaoh had instructed, and he also gave them provisions for their journey."
},
{
"verseNum": 22,
"text": "He gave new garments to each of them, but to Benjamin he gave three hundred shekels of silver and five sets of clothes."
},
{
"verseNum": 23,
"text": "And he sent to his father the following: ten donkeys loaded with the best of Egypt, and ten female donkeys loaded with grain and bread and provisions for his fathers journey."
},
{
"verseNum": 24,
"text": "Then Joseph sent his brothers on their way, and as they were leaving, he said to them, “Do not quarrel on the way!”"
},
{
"verseNum": 25,
"text": "So the brothers went up out of Egypt and came to their father Jacob in the land of Canaan."
},
{
"verseNum": 26,
"text": "“Joseph is still alive,” they said, “and he is ruler over all the land of Egypt!”\n \nBut Jacob was stunned, for he did not believe them."
},
{
"verseNum": 27,
"text": "However, when they relayed all that Joseph had told them, and when he saw the wagons that Joseph had sent to carry him back, the spirit of their father Jacob was revived."
},
{
"verseNum": 28,
"text": "“Enough!” declared Israel. “My son Joseph is still alive! I will go to see him before I die.”"
}
]
}

View File

@@ -0,0 +1,141 @@
{
"chapterNum": 46,
"verses": [
{
"verseNum": 1,
"text": "So Israel set out with all that he had, and when he came to Beersheba, he offered sacrifices to the God of his father Isaac."
},
{
"verseNum": 2,
"text": "And that night God spoke to Israel in a vision: “Jacob, Jacob!” He said.\n \n“Here I am,” replied Jacob."
},
{
"verseNum": 3,
"text": "“I am God,” He said, “the God of your father. Do not be afraid to go down to Egypt, for I will make you into a great nation there."
},
{
"verseNum": 4,
"text": "I will go down with you to Egypt, and I will surely bring you back. And Josephs own hands will close your eyes.”"
},
{
"verseNum": 5,
"text": "Then Jacob departed from Beersheba, and the sons of Israel took their father Jacob in the wagons Pharaoh had sent to carry him, along with their children and wives."
},
{
"verseNum": 6,
"text": "They also took the livestock and possessions they had acquired in the land of Canaan, and Jacob and all his offspring went to Egypt."
},
{
"verseNum": 7,
"text": "Jacob took with him to Egypt his sons and grandsons, and his daughters and granddaughters—all his offspring."
},
{
"verseNum": 8,
"text": "Now these are the names of the sons of Israel (Jacob and his descendants) who went to Egypt: Reuben, Jacobs firstborn."
},
{
"verseNum": 9,
"text": "The sons of Reuben: Hanoch, Pallu, Hezron, and Carmi."
},
{
"verseNum": 10,
"text": "The sons of Simeon: Jemuel, Jamin, Ohad, Jachin, Zohar, and Shaul the son of a Canaanite woman."
},
{
"verseNum": 11,
"text": "The sons of Levi: Gershon, Kohath, and Merari."
},
{
"verseNum": 12,
"text": "The sons of Judah: Er, Onan, Shelah, Perez, and Zerah; but Er and Onan died in the land of Canaan.\n \n The sons of Perez: Hezron and Hamul."
},
{
"verseNum": 13,
"text": "The sons of Issachar: Tola, Puvah, Job, and Shimron."
},
{
"verseNum": 14,
"text": "The sons of Zebulun: Sered, Elon, and Jahleel."
},
{
"verseNum": 15,
"text": "These are the sons of Leah born to Jacob in Paddan-aram, in addition to his daughter Dinah. The total number of sons and daughters was thirty-three."
},
{
"verseNum": 16,
"text": "The sons of Gad: Ziphion, Haggi, Shuni, Ezbon, Eri, Arodi, and Areli."
},
{
"verseNum": 17,
"text": "The children of Asher: Imnah, Ishvah, Ishvi, Beriah, and their sister Serah.\n \n The sons of Beriah: Heber and Malchiel."
},
{
"verseNum": 18,
"text": "These are the sons of Jacob born to Zilpah—whom Laban gave to his daughter Leah—sixteen in all."
},
{
"verseNum": 19,
"text": "The sons of Jacobs wife Rachel: Joseph and Benjamin."
},
{
"verseNum": 20,
"text": "Manasseh and Ephraim were born to Joseph in the land of Egypt by Asenath daughter of Potiphera, priest of On."
},
{
"verseNum": 21,
"text": "The sons of Benjamin: Bela, Becher, Ashbel, Gera, Naaman, Ehi, Rosh, Muppim, Huppim, and Ard."
},
{
"verseNum": 22,
"text": "These are the sons of Rachel born to Jacob—fourteen in all."
},
{
"verseNum": 23,
"text": "The son of Dan: Hushim."
},
{
"verseNum": 24,
"text": "The sons of Naphtali: Jahzeel, Guni, Jezer, and Shillem."
},
{
"verseNum": 25,
"text": "These are the sons of Jacob born to Bilhah, whom Laban gave to his daughter Rachel—seven in all."
},
{
"verseNum": 26,
"text": "All those belonging to Jacob who came to Egypt—his direct descendants, besides the wives of Jacobs sons—numbered sixty-six persons."
},
{
"verseNum": 27,
"text": "And with the two sons who had been born to Joseph in Egypt, the members of Jacobs family who went to Egypt were seventy in all."
},
{
"verseNum": 28,
"text": "Now Jacob had sent Judah ahead of him to Joseph to get directions to Goshen. When Jacobs family arrived in the land of Goshen,"
},
{
"verseNum": 29,
"text": "Joseph prepared his chariot and went there to meet his father Israel. Joseph presented himself to him, embraced him, and wept profusely."
},
{
"verseNum": 30,
"text": "Then Israel said to Joseph, “Finally I can die, now that I have seen your face and know that you are still alive!”"
},
{
"verseNum": 31,
"text": "Joseph said to his brothers and to his fathers household, “I will go up and inform Pharaoh: My brothers and my fathers household from the land of Canaan have come to me."
},
{
"verseNum": 32,
"text": "The men are shepherds; they raise livestock, and they have brought their flocks and herds and all that they own."
},
{
"verseNum": 33,
"text": "When Pharaoh summons you and asks, What is your occupation?"
},
{
"verseNum": 34,
"text": "you are to say, Your servants have raised livestock ever since our youth—both we and our fathers. Then you will be allowed to settle in the land of Goshen, since all shepherds are detestable to the Egyptians.”"
}
]
}

View File

@@ -0,0 +1,129 @@
{
"chapterNum": 47,
"verses": [
{
"verseNum": 1,
"text": "So Joseph went and told Pharaoh: “My father and my brothers, with their flocks and herds and all they own, have come from the land of Canaan and are now in Goshen.”"
},
{
"verseNum": 2,
"text": "And he chose five of his brothers and presented them before Pharaoh."
},
{
"verseNum": 3,
"text": "“What is your occupation?” Pharaoh asked Josephs brothers.\n \n“Your servants are shepherds,” they replied, “both we and our fathers.”"
},
{
"verseNum": 4,
"text": "Then they said to Pharaoh, “We have come to live in the land for a time, because there is no pasture for the flocks of your servants, since the famine in the land of Canaan has been severe. So now, please allow your servants to settle in the land of Goshen.”"
},
{
"verseNum": 5,
"text": "Pharaoh said to Joseph, “Now that your father and brothers have come to you,"
},
{
"verseNum": 6,
"text": "the land of Egypt is before you; settle your father and brothers in the best part of the land. They may dwell in the land of Goshen. And if you know of any talented men among them, put them in charge of my own livestock.”"
},
{
"verseNum": 7,
"text": "Then Joseph brought in his father Jacob and presented him before Pharaoh, and Jacob blessed Pharaoh."
},
{
"verseNum": 8,
"text": "“How many years have you lived?” Pharaoh asked."
},
{
"verseNum": 9,
"text": "“My travels have lasted 130 years,” Jacob replied. “My years have been few and hard, and they have not matched the years of the travels of my fathers.”"
},
{
"verseNum": 10,
"text": "Then Jacob blessed Pharaoh and departed from his presence."
},
{
"verseNum": 11,
"text": "So Joseph settled his father and brothers in the land of Egypt and gave them property in the best part of the land, the district of Rameses, as Pharaoh had commanded."
},
{
"verseNum": 12,
"text": "Joseph also provided his father and brothers and all his fathers household with food for their families."
},
{
"verseNum": 13,
"text": "There was no food, however, in all that region, because the famine was so severe; the lands of Egypt and Canaan had been exhausted by the famine."
},
{
"verseNum": 14,
"text": "Joseph collected all the money to be found in the land of Egypt and the land of Canaan in exchange for the grain they were buying, and he brought it into Pharaohs palace."
},
{
"verseNum": 15,
"text": "When the money from the lands of Egypt and Canaan was gone, all the Egyptians came to Joseph and said, “Give us food. Why should we die before your eyes? For our funds have run out!”"
},
{
"verseNum": 16,
"text": "“Then bring me your livestock,” said Joseph. “Since the money is gone, I will sell you food in exchange for your livestock.”"
},
{
"verseNum": 17,
"text": "So they brought their livestock to Joseph, and he gave them food in exchange for their horses, their flocks and herds, and their donkeys. Throughout that year he provided them with food in exchange for all their livestock."
},
{
"verseNum": 18,
"text": "When that year was over, they came to him the second year and said, “We cannot hide from our lord that our money is gone and all our livestock belongs to you. There is nothing left for our lord except our bodies and our land."
},
{
"verseNum": 19,
"text": "Why should we perish before your eyes—we and our land as well? Purchase us and our land in exchange for food. Then we, along with our land, will be slaves to Pharaoh. Give us seed that we may live and not die, and that the land may not become desolate.”"
},
{
"verseNum": 20,
"text": "So Joseph acquired for Pharaoh all the land in Egypt; the Egyptians, one and all, sold their fields because the famine was so severe upon them. The land became Pharaohs,"
},
{
"verseNum": 21,
"text": "and Joseph reduced the people to servitude from one end of Egypt to the other."
},
{
"verseNum": 22,
"text": "However, he did not acquire the priests portion of the land, for it had been given to them by Pharaoh. They ate the rations that Pharaoh supplied; so they did not sell their land."
},
{
"verseNum": 23,
"text": "Then Joseph said to the people, “Now that I have acquired you and your land for Pharaoh this day, here is seed for you to sow in the land."
},
{
"verseNum": 24,
"text": "At harvest time, you are to give a fifth of it to Pharaoh, and four-fifths will be yours as seed for the field and food for yourselves and your households and children.”"
},
{
"verseNum": 25,
"text": "“You have saved our lives,” they said. “We have found favor in our lords eyes, and we will be Pharaohs servants.”"
},
{
"verseNum": 26,
"text": "So Joseph established a law that a fifth of the produce belongs to Pharaoh, and it is in effect in the land of Egypt to this day. Only the priests land does not belong to Pharaoh."
},
{
"verseNum": 27,
"text": "Now the Israelites settled in the land of Egypt, in the region of Goshen. They acquired property there and became fruitful and increased greatly in number."
},
{
"verseNum": 28,
"text": "And Jacob lived in the land of Egypt seventeen years, and the length of his life was 147 years."
},
{
"verseNum": 29,
"text": "When the time drew near for Israel to die, he called his son Joseph and said to him, “If I have found favor in your eyes, put your hand under my thigh and promise to show me kindness and faithfulness. Do not bury me in Egypt,"
},
{
"verseNum": 30,
"text": "but when I lie down with my fathers, carry me out of Egypt and bury me with them.”\n \nJoseph answered, “I will do as you have requested.”"
},
{
"verseNum": 31,
"text": "“Swear to me,” Jacob said.\n \nSo Joseph swore to him, and Israel bowed in worship at the head of his bed."
}
]
}

Some files were not shown because too many files have changed in this diff Show More